Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Define variable and return component from an arrow function

I'd like to define a variable inside a .map() iteration, as well as returning a component.

But having this variable inside the map doesn't work (gives me error). Is this possible at all, and if so how do I do this?

Below is a simplified example of what I'm trying to do:

render() {
  return(
    <div>
      {array.map( (element, index) => (
        let disturbingVariable = 100 + index
        <MyComponent disturbingVariable={disturbingVariable} />
      ))}
    </div>
  )
}
like image 779
Fellow Stranger Avatar asked Feb 06 '23 04:02

Fellow Stranger


2 Answers

When an arrow function has more than one statement you can no longer use the implicit return syntax.

Add block braces and a return statement:

array.map((element, index) => {
  let disturbingVariable = 100 + index
  return <MyComponent disturbingVariable={disturbingVariable} />
})

Alternatively, forgo the variable declaration and perform the addition in-place, maintaining the implicit return:

array.map((element, index) =>
  <MyComponent disturbingVariable={100 + index} />)
like image 137
sdgluck Avatar answered Feb 09 '23 03:02

sdgluck


Alternatively, you could omit return and block braces, but the function body should be one liner with implicit return:

render() {
  return(
    <div>
      {array.map((element, index) => <MyComponent disturbingVariable={100 + index}/>)}
    </div>
  )
}

More about implicit return here

like image 35
Lyubomir Avatar answered Feb 09 '23 02:02

Lyubomir