Home > Software engineering >  React Native pass a function as props to child component
React Native pass a function as props to child component

Time:12-24

I am trying to pass a function from one component to its child, in this case posts.js maps through each post and adds a prop called changeState. But It does not appear to be working.

The code for Posts.js

import Post from "./post"

export default function posts() {

  const posts = [<arrayOfPosts>];

  const [favoritesChanged, setFavoritesChanged] = useState(1);

  const changeState = () => {
    setFavoritesChanged(Math.random());
  }

  useEffect(() => {
     console.log("favorites changed");
  }, [favoritesChanged])

  return (
    {posts.map((post) => {
      <Post changeState={changeState} key={post.id} post={post} />
    }
  )
}

Then in the post.js file we have:

const Post = ({ changeState }) => {
  console.log("change state: ", changeState);
  return (
    <View>
      <TouchableOpacity onPress={changeState}>
        <Text>Click here to test.</Text>
      </TouchableOpacity>
      <Text>{post.title}</Text>
    </View>
  )
}

export default Post

But the the press action doesn't fire the changeState function and where it is being console.logged it says undefined. Does anyone know why this would not be working?

CodePudding user response:

Try using this as the return in the posts component .

return (

<>

{
  
  posts.map(val=>

   < Post changeState = { changeState } key={val} />
  )
}

</>

)

See this as a reference : Sandbox reference

CodePudding user response:

You are missing returning the Post component JSX in the .map callback:

return (
  {posts.map((post) => {
    return <Post changeState={changeState} key={post.id} post={post} />
  })}
);

or using an implicit arrow function return:

return (
  {posts.map((post) => (
    <Post changeState={changeState} key={post.id} post={post} />
  ))}
);

Ensure you are destructuring all the props you need that are passed:

const Post = ({ changeState, post }) => {
  return (
    <View>
      <TouchableOpacity onPress={changeState}>
        <Text>Click here to test.</Text>
      </TouchableOpacity>
      <Text>{post.title}</Text>
    </View>
  )
};
  • Related