Since React Hooks, I have decided to let go of React class components. I'm only dealing with hooks and functional components now.
Simple question:
I understand the difference between using an arrow function instead of a regular function inside of a class body. The arrow function would automatically bind (lexical this) to the instance of my class and I don't have to bind it in the constructor. This is nice.
But since I'm not dealing with classes anymore, I would like to know what is the difference of doing the following inside of a functional component:
function App() {
  // REGULAR FUNCTION
  function handleClick1() {
    console.log('handleClick1 executed...');
  }
  // ARROW FUNCTION
  const handleClick2 = () => {
    console.log('handleClick2 executed...');
  }
  return(
    <React.Fragment>
      <div className={'div1'} onClick={handleClick1}>
        Div 1 - Click me
      </div>
      <div className={'div2'} onClick={handleClick2}>
        Div 2 - Click me
      </div>
    </React.Fragment>
  );
}
QUESTION
Both works fine.
Is there a difference in performance? Should I favor one way instead of the other? They're both recreated on every render, correct?
NOTE ON POSSIBLE DUPLICATES
I really don't think this is a duplicate question. I know there are plenty of questions about the difference between arrows and regulars, but I want to know from the perspective of a React functional component and how React handles with it. I've looked around and didn't find one.
CODE SNIPPET FOR TESTING
function App() {
  
  function handleClick1() {
    console.log('handleClick1 executed...');
  }
  
  const handleClick2 = () => {
    console.log('handleClick2 executed...');
  }
  
  return(
    <React.Fragment>
      <div className={'div1'} onClick={handleClick1}>
        Div 1 - Click me
      </div>
      <div className={'div2'} onClick={handleClick2}>
        Div 2 - Click me
      </div>
    </React.Fragment>
  );
}
ReactDOM.render(<App/>, document.getElementById('root'));.div1 {
  border: 1px solid blue;
  cursor: pointer;
}
.div2 {
  border: 1px solid blue;
  cursor: pointer;
 }<script src="https://cdnjs.cloudflare.com/ajax/libs/react/16.8.3/umd/react.production.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-dom/16.8.3/umd/react-dom.production.min.js"></script>
<div id="root"></div> 
     
     
    