ReactJS uses the JSX syntax. Here is what you need to know about it:
JavaScript XML, or JSX, is an acronym. You may create code that resembles HTML in JavaScript files thanks to this syntactic extension. A React component's structure is specified using JSX in the React framework.
Some of its advantages are:
Because JSX code resembles HTML, which many developers are already acquainted with, it is simpler to understand and create.
Instead of dispersing information throughout your JavaScript code, it enables you to specify a component's structure in a single location.
Because a component's structure may be defined just once and then reused several times, it facilitates component reuse.
Those are its advantages. However, because JSX uses a syntax that is not native to JavaScript, one drawback of writing it is that it might make your code more difficult.
A straightforward JSX component in React may be seen here as an example:
const Hello = () => {
  return <div>Hello, World!</div>;
}
As seen above, this component will render a div element with the text "Hello, World!" when it is rendered in a React application.
Hence a typical component in react is rendered like:
import React from 'react';
function MyComponent() {
  return (
    <div>
      <h1>My Component</h1>
      <p>This is a simple component</p>
    </div>
  );
}
In this example, the MyComponent function returns a JSX element that defines a div element with a heading (My Component) and a paragraph (This is a simple component).
JSX elements are transformed into plain JavaScript objects by JSX transformers such as Babel. This transformation is necessary because JSX is not natively supported by JavaScript as mentioned earlier.
These objects can then be passed to the React.createElement function, which creates a corresponding tree of elements.
Here is how it takes place:
const element = <h1>Hello, world!</h1>;
// Transformed JSX:
const element = React.createElement('h1', null, 'Hello, world!');
The "('h1', null, 'Hello, world!')" is then the corresponding tree of transformed elements.
Yep!
That's the basic understanding you should have about JSX.
Please feel free to ask questions in the comment section below.
Thanks.
 

 
    
Top comments (0)