React is a modern Javascript library for building user interfaces.
When new elements are added to the UI, a virtual DOM, which is represented as a tree, is created. Each element is a node on this tree. If the state of any of these elements changes, a new virtual DOM tree is created. This tree is then compared or “diffed” with the previous virtual DOM tree.
Once this is done, the virtual DOM calculates the best possible method to make these changes to the real DOM. This ensures that there are minimal operations on the real DOM. Hence, reducing the performance cost of updating the real DOM.
The red circles represent the nodes that have changed. These nodes represent the UI elements that have had their state changed. The difference between the previous version of the virtual DOM tree and the current virtual DOM tree is then calculated. When state or props change, React calls the component function again (i.e. re-renders that component subtree) to produce a new virtual DOM. The reconciliation algorithm then diffs that new tree against the previous one, and only the minimal set of actual DOM operations is applied (batched) to reflect those differences in the real DOM.
JSX is a syntax extension for JavaScript (resembling XML/HTML) that gets compiled (e.g. by Babel/TypeScript) into React.createElement(…) calls (or equivalent). It doesn’t itself have meaning to the browser — it's a compile-time convenience.
React embraces the fact that rendering logic is inherently coupled with other UI logic: how events are handled, how the state changes over time, and how the data is prepared for display.
Instead of artificially separating technologies by putting markup and logic in separate files, React separates concerns with loosely coupled units called “components” that contain both.
const element = <h1>Hello, world!</h1>;
In the example below, we declare a variable called name and then use it inside JSX by wrapping it in curly braces:
const name: string = "Andrei"; const element = <h1>Hello, {name}</h1>;
User interfaces can be broken down into smaller building blocks called components.
Components allow you to build self-contained, reusable snippets of code. If you think of components as LEGO bricks, you can take these individual bricks and combine them together to form larger structures. If you need to update a piece of the UI, you can update the specific component or brick.
 
This modularity allows your code to be more maintainable as it grows because you can easily add, update, and delete components without touching the rest of our application. The nice thing about React components is that they are just JavaScript.
React historically supported class components, but modern React encourages use of functional components and hooks. In this lab, we’ll only use functional components.
export default function StartupEngineering() { return <div>StartupEngineering</div>; }
Applications usually include more content than a single component. You can nest React components inside each other like you would do with regular HTML elements.
The <Header> component is nested inside the <HomePage> component:
function Header() { return <h1>Startup Engineering</h1>; } function HomePage() { return ( <div> {/* Nesting the Header component */} <Header /> </div> ); }
Similar to a JavaScript function, you can design components that accept custom arguments (or props) that change the component’s behavior or what is visibly shown when it’s rendered to the screen. Then, you can pass down these props from parent components to child components. Props are read only.
In your HomePage component, you can pass a custom title prop to the Header component, just like you’d pass HTML attributes. Here, titleSE is a custom argument (prop).
function HomePage({ titleSE: string }) { return ( <div> <Header title={titleSE} /> </div> ); }
We’ll create a Greeting component that displays either of these components depending on whether a user is logged in:
function Greeting(props: any) { const isLoggedIn: boolean = props.isLoggedIn; if (isLoggedIn) { return <h1>Welcome back!</h1>; } return <h1>Please sign up.</h1>; }
We can also use inline if-else operators.
When sending props from parent to child component, we can use object destructuring . Destructuring really shines in React apps because it can greatly simplify how you write props.
function Header({ title }: { title: string }) { return <h1>{title ? title : "Default title"}</h1>; }
It’s common to have data that you need to show as a list. You can use array methods to manipulate your data and generate UI elements that are identical in style but hold different pieces of information.
function HomePage() { const names: string[] = ["POLI", "ASE", "UNIBUC"]; return ( <div> <Header title="Universities" /> <ul> {names.map((name: string) => ( <li key={name}>{name}</li> ))} </ul> </div> ); }
Keys help React identify which items have changed, are added, or are removed. Keys should be given to the elements inside the array to give the elements a stable identity.
The best way to pick a key is to use a string that uniquely identifies a list item among its siblings. Most often you would use IDs from your data as keys.
const universitiesItems = universities.map((uni) => ( <li key={uni.id}>{uni.name}</li> ));
React has a set of functions called hooks. Hooks allow you to add additional logic such as state to your components. You can think of state as any information in your UI that changes over time, usually triggered by user interaction.
You can use state to store and increment the number of times a user has clicked the like button. In fact, this is what the React hook to manage state is called: useState()
useState() returns an array. The first item in the array is the state value, which you can name anything. It’s recommended to name it something descriptive. The second item in the array is a function to update the value. You can name the update function anything, but it's common to prefix it with set followed by the name of the state variable you’re updating. The only argument to useState() is the initial state.
function HomePage() { // ... const [likes, setLikes] = React.useState<number>(0); function handleClick() { setLikes((likes: number) => likes + 1); } return ( <div> {/* ... */} <button onClick={handleClick}>Likes ({likes})</button> </div> ); }
While `useState()` is the most common React hook, React also provides several others that help you manage side effects, access DOM elements, and optimize performance.
The `useEffect()` hook lets you perform side effects in your components, such as fetching data, updating the document title, or setting up timers. By default, it runs after every render, but you can control when it runs by specifying dependencies.
import React, { useState, useEffect } from "react"; export default function Timer() { const [seconds, setSeconds] = useState<number>(0); useEffect(() => { const interval = setInterval(() => { setSeconds((s) => s + 1); }, 1000); // Cleanup when component unmounts return () => clearInterval(interval); }, []); return <h1>Seconds passed: {seconds}</h1>; }
Tip:
useEffect(() => {...}, []) // → runs only once (on mount)
useEffect(() => {...}, [value]) // → runs whenever `value` changes
The `useRef()` hook gives you a mutable reference that persists across renders without causing re-renders. It’s useful for accessing DOM elements or storing values like timers.
import React, { useRef, useEffect } from "react"; export default function FocusInput() { const inputRef = useRef<HTMLInputElement>(null); useEffect(() => { inputRef.current?.focus(); }, []); return <input ref={inputRef} placeholder="Type here..." />; }
The `useContext()` hook allows you to share values (like theme, language, or user info) across the component tree without prop drilling.
import React, { createContext, useContext } from "react"; const ThemeContext = createContext("light"); function ThemeDisplay() { const theme = useContext(ThemeContext); return <h1>Current theme: {theme}</h1>; } export default function App() { return ( <ThemeContext.Provider value="dark"> <ThemeDisplay /> </ThemeContext.Provider> ); }
These two hooks are used for performance optimization.
import React, { useState, useMemo, useCallback } from "react"; export default function ExpensiveCalculation() { const [count, setCount] = useState<number>(0); const [input, setInput] = useState<number>(0); const squared = useMemo(() => { console.log("Calculating..."); return input * input; }, [input]); const increment = useCallback(() => setCount((c) => c + 1), []); return ( <div> <input type="number" value={input} onChange={(e) => setInput(Number(e.target.value))} /> <p>Square: {squared}</p> <button onClick={increment}>Count ({count})</button> </div> ); }
The `useReducer()` hook is an alternative to `useState()` for handling more complex state logic. It works similarly to Redux reducers.
import React, { useReducer } from "react"; function reducer(state: number, action: string) { switch (action) { case "increment": return state + 1; case "decrement": return state - 1; default: return state; } } export default function Counter() { const [count, dispatch] = useReducer(reducer, 0); return ( <div> <p>Count: {count}</p> <button onClick={() => dispatch("increment")}>+</button> <button onClick={() => dispatch("decrement")}>-</button> </div> ); }
| Hook | Purpose | 
|---|---|
| `useState` | Manage local component state | 
| `useEffect` | Handle side effects (fetching data, timers, etc.) | 
| `useRef` | Persist values or access DOM elements | 
| `useContext` | Share data across components | 
| `useMemo` | Cache expensive calculations | 
| `useCallback` | Cache function definitions | 
| `useReducer` | Manage complex state logic | 
Data Binding is the process of connecting the view element or user interface, with the data which populates it.
In ReactJS, components are rendered to the user interface and the component’s logic contains the data to be displayed in the view(UI). The connection between the data to be displayed in the view and the component’s logic is called data binding in ReactJS.
export default function HomePage() { const [inputField, setInputField] = useState<string>(""); function handleChange(e) { setInputField(e.target.value); } return ( <div> <input value={inputField} onChange={handleChange} /> <h1>{inputField}</h1> </div> ); }
In react data flows only one way, from a parent component to a child component, it is also known as one way data binding. While there is no direct way to pass data from the child to the parent component, there are workarounds. The most common one is to pass a handler function from the parent to the child component that accepts an argument which is the data from the child component. This can be better illustrated with an example.
const Parent = () => { const [message, setMessage] = React.useState("Hello World"); return ( <div> <h1>{message}</h1> <Child onMessageSelect={setMessage} /> </div> ); }; const Child = ({ chooseMessage }: { chooseMessage: (message: string) => void }) => { const msg = "Goodbye"; return ( <button onClick={() => onMessageSelect(msg)}>Change Message</button> ); };
The initial state of the message variable in the Parent component is set to ‘Hello World’ and it is displayed within the h1 tags in the Parent component as shown. We write a chooseMessage function in the Parent component and pass this function as a prop to the Child component. This function takes an argument message. But data for this message argument is passed from within the Child component as shown. So, on click of the Change Message button, msg = ‘Goodbye’ will now be passed to the chooseMessage handler function in the Parent component and the new value of message in the Parent component will now be ‘Goodbye’. This way, data from the child component(data in the variable msg in Child component) is passed to the parent component.
Tailwind CSS is a utility-first CSS framework that allows you to build custom designs quickly and efficiently. Unlike traditional CSS frameworks, which come with predefined components, Tailwind provides low-level utility classes for controlling layout, color, spacing, typography, and more — directly in your React components. This approach gives you more flexibility without writing custom CSS.
Some key concepts of Tailwind CSS:
Centering Text
To center-align text and add some padding in React, you can use the `text-center` and `p-4` utilities with `className`:
export default function CenteredText() { return ( <div className="text-center p-4"> <h1 className="text-xl font-bold">Hello, Tailwind CSS!</h1> </div> ); }
Responsive Layout
With Tailwind, you can easily create responsive layouts using its responsive utilities. For instance, to set different column layouts on different screen sizes, you might do:
export default function ResponsiveGrid() { return ( <div className="grid grid-cols-1 md:grid-cols-2 lg:grid-cols-4 gap-4"> <div className="bg-blue-200 p-4">Item 1</div> <div className="bg-blue-200 p-4">Item 2</div> <div className="bg-blue-200 p-4">Item 3</div> <div className="bg-blue-200 p-4">Item 4</div> </div> ); }
Button Styling
Tailwind allows you to create buttons with custom styles by combining multiple utility classes. In React, use `className` for the styling attribute:
export default function StyledButton() { return ( <button className="bg-blue-500 hover:bg-blue-700 text-white font-bold py-2 px-4 rounded"> Click Me </button> ); }
More Examples
Tailwind also provides utilities for:
You can find the full list of utilities and examples in the official Tailwind CSS documentation: https://tailwindcss.com/docs
Once you understand the basics of React, there are several modern libraries and frameworks that can help you build professional, scalable applications more efficiently. Below are some of the most widely used tools in the React ecosystem.
ShadCN/UI is a modern React component library built with Tailwind CSS and Radix UI. It provides ready-to-use, accessible, and themable components (buttons, dialogs, data tables, forms, tooltips, etc.) that you can copy directly into your project and customize.
Example (Button component):
import { Button } from "@/components/ui/button"; export default function Example() { return <Button variant="outline">Click me</Button>; }
TanStack Query (React Query) is a powerful library for data fetching, caching, and synchronization in React apps.
It simplifies working with APIs by managing loading states, caching results, refetching automatically, and handling background updates — all with minimal code.
Example (fetching data):
import { useQuery } from "@tanstack/react-query"; async function fetchUsers() { const res = await fetch("https://jsonplaceholder.typicode.com/users"); return res.json(); } export default function Users() { const { data, isLoading, error } = useQuery({ queryKey: ["users"], queryFn: fetchUsers, }); if (isLoading) return <p>Loading...</p>; if (error) return <p>Error loading data</p>; return ( <ul> {data.map((user) => ( <li key={user.id}>{user.name}</li> ))} </ul> ); }
TanStack Table (formerly React Table) is a lightweight headless table library for building interactive and customizable data tables. You control how the table is rendered — it only provides the logic for sorting, filtering, pagination, and selection.
Example (basic table setup):
import { useReactTable, getCoreRowModel } from "@tanstack/react-table"; const data = [ { name: "Alice", age: 25 }, { name: "Bob", age: 30 }, ]; const columns = [ { header: "Name", accessorKey: "name" }, { header: "Age", accessorKey: "age" }, ]; export default function BasicTable() { const table = useReactTable({ data, columns, getCoreRowModel: getCoreRowModel(), }); return ( <table> <thead> {table.getHeaderGroups().map((headerGroup) => ( <tr key={headerGroup.id}> {headerGroup.headers.map((header) => ( <th key={header.id}>{header.column.columnDef.header}</th> ))} </tr> ))} </thead> <tbody> {table.getRowModel().rows.map((row) => ( <tr key={row.id}> {row.getVisibleCells().map((cell) => ( <td key={cell.id}>{cell.getValue()}</td> ))} </tr> ))} </tbody> </table> ); }
✅ Tip: These libraries are not required for this lab, but they are very common in real-world React projects and can greatly improve developer productivity and user experience.
Please take a minute to fill in the feedback form for this lab.