A javascript UI framework that makes creating single page applications easier.
Why use react over vanilla JS:
Higher order component: Wraps the whole app to allow for functionality
The Virtual DOM is an object in memory that represents the real DOM.
When the virtual DOM is synced with the DOM it is called reconciliation.
JSX allows you to write html like code in JavaScript.
You can use normal html elements and component elements inside JSX. Component elements always start with capital letters while html elements start with lowercase letters.
You can use JavaScript inside JSX with {}s. Whatever the js in the {}s returns, is converted into a string, including arrays, so it can be embedded in the JSX.
const name = "ryan"
const jsx = <h1>Hello, {name}</h1>
{/*These are comments in JSX*/}
Every tag needs to be closed or self closed with </>s or />. Can’t have non closed tags like in html like <hr>
.
Instead of using the class
attribute in html use the className
attribute instead. This is to prevent any conflicts with the class keyword in JS.
Fragments are empty tags <></> that go around all the JSX components.
Functions can only return 1 value. The fragments allow you to return multiple component values as 1 single value to allow it to be returned.
Vite is the build tool for react
Initializes a new project using the vite framework
npm create vite@latest
gets the latest version of vite
To run vite npx vite
Vite’s default port is 5173.
vite.config.js
import { defineConfig } from "vite"
import react from "@vitejs/plugin-react"
export default defineCOnfig({
plugins: [react()],
server: {
port: 3000,
open: true, // Open page when server starts
}
})
If you do npx vite --host
allows you to view your React app on mobile as long as you allow port forwarding. In the terminal the location should look like this: Network: http://...
Used to allow svg files to be used as react components.
npm install vite-plugin-svgr
Add to vite.config.ts
import svgr from "vite-plugin-svgr"
export default defineConfig({
plugins: [react(), svgr()],
})
In your react component.
// You have to add the ?react at the end
import svgIcon from "/path/to/svgfile.svg?react"
// Then you can use this svg like a component
<svgIcon />
You cannot add react refs to these svg component. Instead wrap the svg component in a div and put the reference on the div.
Used to add pwa manifest file to vite. Once deployed, the service worker should be added automatically.
npm install vite-plugin-pwa
Add to vite.config.ts
import { VitePWA } from "vite-plugin-pwa"
import manifest from "./manifest"
export default defineConfig({
plugins: [react(), VitePWA(manifest)],
})
In the manifest.js file
const manifest = {
manifest: {
name: "",
short_name: "",
// etc
}
}
export default manifest
public
src // React development
assets
components
Component.jsx
App.css // App specific css
App.jsx // Imports App.css and is the start of app
index.css // Takes president over App.css. Sets default styling for app.
main.jsx // Imports react, app, index.css and renders App.jsx in the id root
index.html // React inserts into <div id="root"></div> and loads main.jsx
Each component tends to go in its own file.
function HelloReact(){
const text = "some text"
return <h2>Hello World! Here is {text}</h2>
// If you want to return with multiple lines
return (
<h2>
Hello Word! Here is {text}.
</h2>
)
}
export default HelloReact
// You can also set the className to style in css or put the css in the component itself
// CSS properties are in camel case
const styles = {
card: {
margin: 20,
background: '#e8eaf6',
},
heading: {
background: '#3f51b5',
minHeight: 50, // pixels. Default unit is pixels
fontSize: '1.2rem',
},
};
function Card() {
return (
<div style={styles.card}>
<div style={styles.heading}>Lorem ipsum dolor</div>
</div>
);
}
export default Card;
Props are arguments into react components.
Data in the parent components is passed to the child component through arguments/props.
Component.jsx
function Alert(props) {
return (
<div className={`alert alert-${props.type || 'success'}`} role="alert">
{props.message}
</div>
);
}
// You can also destructure props in the argument
function Alert({type, message}) {
return (
<div className={`alert alert-${type || 'success'}`} role="alert">
{message}
</div>
);
}
export default Alert;
In parent component/App.js
import Alert from './components/Alert';
const message = 'Invalid user id or password';
const alertType = "danger"
function App() {
return <Alert type={alertType} message={message} />;
}
export default App;
Only non attribute JSX keywords are added to props.
Reserved attribute | Description |
---|---|
key | List item UUID so react knows which element is which |
ref | |
children | |
dangerouslySetInnerHTML | |
defaultValue | |
defaultChecked | |
suppressContentEditableWarning | |
suppressHydrationWarning | |
className | |
class | |
style | |
onClick |
Attributes can be set with {}s or “”s
className={/*JavaScript*/}
className="string"
React allows you to pass JSX as an embedded argument into components and which can be used with props.children
return (
<Component>
<div>This is embedded JSX</div>
</Component>
)
// Inside Component
export default function Component(props){
return (
<div>
{props.children} {/* This will render <div>This is embedded JSX</div> in this example*/}
</div>
)
}
Since you can’t put if statements in JSX you have to use ternary operators
// Not recommended to use. JSX might put in the literal value of "false"
{props.message &&
<div>Some JSX</div>
}
// It is recommended to do
{props.message ? <div>Some JSX</div> : null}
// Usually conditional rendering is done with states
{state ? (
<div>True</div>
) : (
<div>False</div>
)}
Conditionally render content based upon what’s in the url filepath.
Ex:
https://yoururl.com/filepath
where the pathname is /filepath
npm install react-router-dom --save-dev
import React from "react"
import { BrowserRouter as Router, Route, Routes, Link, Redirect } from "react-router-dom"
import Home from './components/Home';
import About from './components/About';
import Contact from './components/Contact';
import NotFound from './components/NotFound';
export default function Routes(){
return (
<Router>
<Routes>
<Route path="/" exact element={<Home />}/> {/*If the path is exactly /*/}
<Route path="/about" element={<About />}/> {/*Any pathname that starts with /about */}
<Route path="/contact" element={<Contact />}/>
<Route path="/404" element={<NotFound />}/>
<Route> {/* If no path is specified then it is the default filepath*/}
<Redirect to="/404" />
</Route>
</Routes>
<Link to="/">Home</Link>
<Redirect from="/old-path" to="/new-path" />
</Router>
)
}
Hooks | Description |
---|---|
useHistory | |
useLocation | A hook that returns the current location/pathname |
useParams | Get the parameters of the url |
useRouteMatch |
// Example path: /user/:id
import { useParams } from "react-router-dom"
export default User(){
const { id } = useParams
return <p>id</p>
}
// useParams can also handle multiple parameters
// Example path: /user/:username/:id
export default User(){
const { username, id } = useParams
return <p>id</p>
}
Map in react allows you to render more than 1 of the same element.
Since map returns an array it gets converted. forEach doesn’t return anything so it won’t work.
// Items is an array of objects being mapped over
return (
<ul>
{items.map(item => (
<li key={item.uuid}>
{item.value}
</li>
))}
</ul>
)
Each child in a list should have a unique key attribute. React uses this to know which list item is which.
It can also be useful to skip any values that aren’t valid.
{items ? items.map((item) => (
item ? (
<Component />
) : null
)): null}
Events in react are done thought attributes.
function Component(){
function handleClick(name){
alert(name)
}
return (
<>
<button onClick={handleClick}>Click Me</button>
<button onClick={() => {console.log("clicked")}}>Click Me</button>
<button onClick={handleClick("Ryan")}>Click Me</button> {/*This will invoke the function immediately. It will display the alert right away.*/}
<button onClick={() => handleClick("Ryan")}>Click Me</button> {/* Instead do this to make the alert popup when the button is clicked. This is used for passing arguments into function in JSX*/}
</>
)
}
Common events | Description |
---|---|
onClick | |
onMouseOver | |
onMouseOut | |
onSubmit | |
onChange | |
onKeyDown | |
onKeyUp | |
onFocus | |
onBlur | |
onDoubleClick | |
onContextMenu | |
onTouchStart |
npm install tailwindcss postcss autoprefixer --save-dev
npx tailwindcss init -p
content: [
"./index.html",
"./src/**/*.{js,ts,jsx,tsx}",
],
@tailwind base;
@tailwind components;
@tailwind utilities;
Tailwind will only include classes with the full name of that class meaning you cannot use string concatenation inside a className.
const [error, setError] = useState(false)
// This will not work
<div className="text--600"></div>
// This will work
<div className=""></div>
In order to have dynamic variables you have to use style.
const width = "200px"
// This will not work
<div className="></div>
// This will work
States are used to update the values in forms as to allow for setState to update the form.
If you didn’t have value={state}
then the values in the form won’t be set with setState("")
and instead be left to their original inputs.
import { useState } from 'react';
import './style.css';
function Form() {
const [firstName, setFirstName] = useState('');
const [lastName, setLastName] = useState('');
const handleInputChange = (event) => {
const { name, value } = event.target;
return name === 'firstName' ? setFirstName(value) : setLastName(value);
};
const handleFormSubmit = (event) => {
event.preventDefault();
alert(`Hello ${firstName} ${lastName}`);
setFirstName('');
setLastName('');
};
return (
<div className="container text-center">
<h1>
Hello {firstName} {lastName}
</h1>
<form className="form" onSubmit={handleFormSubmit}>
<input
value={firstName/*State variable*/}
name="firstName"
onChange={handleInputChange}
type="text"
placeholder="First Name"
/>
<input
value={lastName}
name="lastName"
onChange={handleInputChange}
type="text"
placeholder="Last Name"
/>
<button type="submit">
Submit
</button>
</form>
</div>
);
}
export default Form;
vitest npx vitest happy-dom @teesting-library
in vite.config.js
test: {
globals: true, // VI keywords globally. DOn't need to import
environment: "happy-dom",
setupFiles: "./src/tests/setup.js"
}
src/tests setup.js welcome.text.jsx
npm install react-dom --save-dev
react-dom gives DOM-specific methods for working with React. It is used to render React components into the DOM.
import ReactDOM from "react-dom"
// Render a React component into a DOM element
ReactDOM.render(<App />, document.querySelector("#root")) // Puts app component in component with id "root"
// Remove component from DOM and cleans up its event handlers and state
// What does this do and why is it needed?
ReactDOM.unmountComponentAtNode(container)
import { useEffect } from "react"
export default function Component(){
useEffect(() => {
const timer = setTimeout(() => {
// Set timeout code
}, 1000 /*1 second*/)
return () => clearTimeout(timer)
}, [])
return <div></div>
}
// This component awaits for the return value from awaitFunc before loading
export default function Component(){
const [loading, setLoading] = useState(true)
useEffect(() => {
async function asyncFunc(){
await awaitFunc()
setLoading(false)
}
asyncFunc()
}, [])
if(loading) return null
return (
<div>
Component
</div>
)
}