mirror of
https://github.com/m-lamonaca/dev-notes.git
synced 2025-04-05 18:36:41 +00:00
convert line endings to LF
This commit is contained in:
parent
b74f634cd2
commit
d9d8d55730
9 changed files with 3257 additions and 3257 deletions
File diff suppressed because it is too large
Load diff
|
@ -1,103 +1,103 @@
|
||||||
# [React Router](https://reactrouter.com)
|
# [React Router](https://reactrouter.com)
|
||||||
|
|
||||||
Popular routing library. Allows to specify a route through React components, declaring which component is to be loaded for a given URL.
|
Popular routing library. Allows to specify a route through React components, declaring which component is to be loaded for a given URL.
|
||||||
|
|
||||||
Key Components:
|
Key Components:
|
||||||
|
|
||||||
- **Router**: wrap the app entry-point, usually `BrowserRouter`
|
- **Router**: wrap the app entry-point, usually `BrowserRouter`
|
||||||
- **Route**: "Load this component for this URL"
|
- **Route**: "Load this component for this URL"
|
||||||
- **Link**: react-managed anchors that won't post back to the browser
|
- **Link**: react-managed anchors that won't post back to the browser
|
||||||
|
|
||||||
## Routers
|
## Routers
|
||||||
|
|
||||||
Router Types:
|
Router Types:
|
||||||
|
|
||||||
- *HashRouter*: `#route`, adds hashes to the URLs
|
- *HashRouter*: `#route`, adds hashes to the URLs
|
||||||
- *BrowserRouter*: `/route`, uses HTML5 history API to provide clean URLs
|
- *BrowserRouter*: `/route`, uses HTML5 history API to provide clean URLs
|
||||||
- *MemoryRouter*: no URL
|
- *MemoryRouter*: no URL
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// index.js
|
// index.js
|
||||||
|
|
||||||
//other imports ...
|
//other imports ...
|
||||||
|
|
||||||
import { BrowserRouter as Router } from "react-router-dom";
|
import { BrowserRouter as Router } from "react-router-dom";
|
||||||
|
|
||||||
React.render(
|
React.render(
|
||||||
<Router>
|
<Router>
|
||||||
<App />
|
<App />
|
||||||
</Router>,
|
</Router>,
|
||||||
document.getElementById("DomID");
|
document.getElementById("DomID");
|
||||||
)
|
)
|
||||||
```
|
```
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// Component.js
|
// Component.js
|
||||||
import { Route, Route } from "react-router-dom";
|
import { Route, Route } from "react-router-dom";
|
||||||
|
|
||||||
<div>
|
<div>
|
||||||
{/* match route pattern exactly, all sub-routes will be matched otherwise */}
|
{/* match route pattern exactly, all sub-routes will be matched otherwise */}
|
||||||
<Route path="/" exact element={<Component props={props} />} />
|
<Route path="/" exact element={<Component props={props} />} />
|
||||||
<Route path="/route" element={<Component props={props} />} />
|
<Route path="/route" element={<Component props={props} />} />
|
||||||
...
|
...
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
// only one child can match, similar to Route-case
|
// only one child can match, similar to Route-case
|
||||||
<Routes>
|
<Routes>
|
||||||
<Route path="/" exact element={<Component props={props} />} />
|
<Route path="/" exact element={<Component props={props} />} />
|
||||||
<Route path="/route" element={<Component props={props} />} />
|
<Route path="/route" element={<Component props={props} />} />
|
||||||
<Route component={PageNotFound} /> {/* matches all non-existent URLs */}
|
<Route component={PageNotFound} /> {/* matches all non-existent URLs */}
|
||||||
</Route>
|
</Route>
|
||||||
```
|
```
|
||||||
|
|
||||||
### URL Parameters & Query String
|
### URL Parameters & Query String
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// Given
|
// Given
|
||||||
<Route path="/route/:placeholder" element={<Component props={props} />} />
|
<Route path="/route/:placeholder" element={<Component props={props} />} />
|
||||||
// URL: app.com/route/sub-route?param=value
|
// URL: app.com/route/sub-route?param=value
|
||||||
|
|
||||||
function Component(props) {
|
function Component(props) {
|
||||||
props.match.params.placeholder; // sub-route
|
props.match.params.placeholder; // sub-route
|
||||||
props.location.query; // { param: value }
|
props.location.query; // { param: value }
|
||||||
props.location.pathname; // /route/sub-route?param=value
|
props.location.pathname; // /route/sub-route?param=value
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
### Redirecting
|
### Redirecting
|
||||||
|
|
||||||
```js
|
```js
|
||||||
import { Navigate } from "react-router-dom";
|
import { Navigate } from "react-router-dom";
|
||||||
|
|
||||||
// redirects to another URL on render, shouldn't be rendered on component mount but after an action
|
// redirects to another URL on render, shouldn't be rendered on component mount but after an action
|
||||||
<Navigate to="/route" />
|
<Navigate to="/route" />
|
||||||
<Navigate from="/old-route" to="/new-route" />
|
<Navigate from="/old-route" to="/new-route" />
|
||||||
{ condition && <Navigate to="/route" /> } // redirect if condition is true
|
{ condition && <Navigate to="/route" /> } // redirect if condition is true
|
||||||
|
|
||||||
// or redirect manipulating the history (always in props)
|
// or redirect manipulating the history (always in props)
|
||||||
props.history.push("/new-route");
|
props.history.push("/new-route");
|
||||||
```
|
```
|
||||||
|
|
||||||
### Prompts
|
### Prompts
|
||||||
|
|
||||||
```js
|
```js
|
||||||
import { Prompt } from "react-router-dom";
|
import { Prompt } from "react-router-dom";
|
||||||
|
|
||||||
// displays a prompt when the condition is true
|
// displays a prompt when the condition is true
|
||||||
<Prompt when={condition} message="prompt message" />
|
<Prompt when={condition} message="prompt message" />
|
||||||
```
|
```
|
||||||
|
|
||||||
## Link
|
## Link
|
||||||
|
|
||||||
Clicks on a link created with React-Router will be captured by react an all the routing will happen client side.
|
Clicks on a link created with React-Router will be captured by react an all the routing will happen client side.
|
||||||
|
|
||||||
```js
|
```js
|
||||||
import { Link } from "react-router-dom";
|
import { Link } from "react-router-dom";
|
||||||
|
|
||||||
// TARGET: <Route path="/route/:itemId" />
|
// TARGET: <Route path="/route/:itemId" />
|
||||||
<Link to="/route/1">Text</Link>
|
<Link to="/route/1">Text</Link>
|
||||||
|
|
||||||
// add styling attributes to the rendered element when it matches the current URL.
|
// add styling attributes to the rendered element when it matches the current URL.
|
||||||
<NavLink to="/route" exact activeClassName="class">Text</NavLink>
|
<NavLink to="/route" exact activeClassName="class">Text</NavLink>
|
||||||
<NavLink to="/route" activeStyle={ { cssProp: value } }>Text</NavLink>
|
<NavLink to="/route" activeStyle={ { cssProp: value } }>Text</NavLink>
|
||||||
```
|
```
|
||||||
|
|
|
@ -1,261 +1,261 @@
|
||||||
# React
|
# React
|
||||||
|
|
||||||
## Components
|
## Components
|
||||||
|
|
||||||
There are two types of react components:
|
There are two types of react components:
|
||||||
|
|
||||||
- Function Components
|
- Function Components
|
||||||
- Class Components
|
- Class Components
|
||||||
|
|
||||||
Both types can be stateful and have side effects or be purely presentational.
|
Both types can be stateful and have side effects or be purely presentational.
|
||||||
|
|
||||||
```jsx
|
```jsx
|
||||||
// functional component
|
// functional component
|
||||||
const Component = (props) => {
|
const Component = (props) => {
|
||||||
return (
|
return (
|
||||||
<domElementOrComponent... />
|
<domElementOrComponent... />
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
// class component
|
// class component
|
||||||
class Component extends React.Component {
|
class Component extends React.Component {
|
||||||
return (
|
return (
|
||||||
<domElementOrComponent... />
|
<domElementOrComponent... />
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
*NOTE*: a component name *must* start with an uppercase letter.
|
*NOTE*: a component name *must* start with an uppercase letter.
|
||||||
|
|
||||||
Every components has two inputs: *props* and *state*. The props input is explicit while the state is implicit.
|
Every components has two inputs: *props* and *state*. The props input is explicit while the state is implicit.
|
||||||
State is used to determine the changes and when to re-render.
|
State is used to determine the changes and when to re-render.
|
||||||
Within the component state can be changed while the props object represent fixed input values.
|
Within the component state can be changed while the props object represent fixed input values.
|
||||||
|
|
||||||
JSX syntax can represent HTML but gets converted to pure JavaScript before being sent to the browser:
|
JSX syntax can represent HTML but gets converted to pure JavaScript before being sent to the browser:
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// JSX
|
// JSX
|
||||||
const element = (
|
const element = (
|
||||||
<h1 className="greeting">Hello, world!</h1>
|
<h1 className="greeting">Hello, world!</h1>
|
||||||
);
|
);
|
||||||
|
|
||||||
// compiled JS shipped to browser
|
// compiled JS shipped to browser
|
||||||
const element = React.createElement(
|
const element = React.createElement(
|
||||||
'h1', // HTML tag name
|
'h1', // HTML tag name
|
||||||
{className: 'greeting'}, // attrs as JSON
|
{className: 'greeting'}, // attrs as JSON
|
||||||
'Hello, world!' // tag content (can be nested component)
|
'Hello, world!' // tag content (can be nested component)
|
||||||
);
|
);
|
||||||
```
|
```
|
||||||
|
|
||||||
### App Entry-point
|
### App Entry-point
|
||||||
|
|
||||||
```js
|
```js
|
||||||
const container = document.getElementById('root')!;
|
const container = document.getElementById('root')!;
|
||||||
const root = createRoot(container);
|
const root = createRoot(container);
|
||||||
|
|
||||||
const element = <h1s>Hello World</h1>
|
const element = <h1s>Hello World</h1>
|
||||||
root.render(element)
|
root.render(element)
|
||||||
```
|
```
|
||||||
|
|
||||||
### Dynamic Expressions
|
### Dynamic Expressions
|
||||||
|
|
||||||
```js
|
```js
|
||||||
<tag>{expression}</tag> // expression is evaluated an it's result is displayed
|
<tag>{expression}</tag> // expression is evaluated an it's result is displayed
|
||||||
<tag onEvent={funcReference}>{expression}</tag>
|
<tag onEvent={funcReference}>{expression}</tag>
|
||||||
<tag onEvent={() => func(args)}>{expression}</tag>
|
<tag onEvent={() => func(args)}>{expression}</tag>
|
||||||
```
|
```
|
||||||
|
|
||||||
### Props
|
### Props
|
||||||
|
|
||||||
```js
|
```js
|
||||||
<Component propName={value} /> // pass a value the component
|
<Component propName={value} /> // pass a value the component
|
||||||
<Component propName={funcReference} /> // pass a function to the component
|
<Component propName={funcReference} /> // pass a function to the component
|
||||||
|
|
||||||
function Component(props) {
|
function Component(props) {
|
||||||
// use props with {props.propName}
|
// use props with {props.propName}
|
||||||
}
|
}
|
||||||
|
|
||||||
class Component extends React.Component{
|
class Component extends React.Component{
|
||||||
// use props with {this.props.propName}
|
// use props with {this.props.propName}
|
||||||
render()
|
render()
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
### Simple Function Component
|
### Simple Function Component
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// Button.js
|
// Button.js
|
||||||
import { useState } from "react";
|
import { useState } from "react";
|
||||||
|
|
||||||
function Button() {
|
function Button() {
|
||||||
const [count, setCount] = useState(0); // hook
|
const [count, setCount] = useState(0); // hook
|
||||||
|
|
||||||
const handleCLick = () => setCount(count + 1); // logic
|
const handleCLick = () => setCount(count + 1); // logic
|
||||||
|
|
||||||
// JSX
|
// JSX
|
||||||
return (
|
return (
|
||||||
<button onClick={handleCLick}>
|
<button onClick={handleCLick}>
|
||||||
{count}
|
{count}
|
||||||
</button>
|
</button>
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
export default Button;
|
export default Button;
|
||||||
```
|
```
|
||||||
|
|
||||||
### Simple Class Component
|
### Simple Class Component
|
||||||
|
|
||||||
```js
|
```js
|
||||||
class Button extends React.Component {
|
class Button extends React.Component {
|
||||||
|
|
||||||
state = {count: 0};
|
state = {count: 0};
|
||||||
//or
|
//or
|
||||||
constructor(props) {
|
constructor(props) {
|
||||||
super(props);
|
super(props);
|
||||||
this.state = {count: 0};
|
this.state = {count: 0};
|
||||||
}
|
}
|
||||||
|
|
||||||
componentDidMount() {} // called on successful component mount
|
componentDidMount() {} // called on successful component mount
|
||||||
|
|
||||||
handleClick = () => {
|
handleClick = () => {
|
||||||
this.setState({ count: this.state.count + 1 });
|
this.setState({ count: this.state.count + 1 });
|
||||||
}
|
}
|
||||||
// or
|
// or
|
||||||
handleClick = () => {
|
handleClick = () => {
|
||||||
this.setState((state, props) => ({ count: state.count + props.increment }) );
|
this.setState((state, props) => ({ count: state.count + props.increment }) );
|
||||||
}
|
}
|
||||||
|
|
||||||
render(){
|
render(){
|
||||||
return (
|
return (
|
||||||
<button onClick={this.handleClick}>
|
<button onClick={this.handleClick}>
|
||||||
{this.state.count}
|
{this.state.count}
|
||||||
</button>
|
</button>
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
### Nesting Components
|
### Nesting Components
|
||||||
|
|
||||||
```js
|
```js
|
||||||
import { useState } from "react";
|
import { useState } from "react";
|
||||||
|
|
||||||
function Button(props) {
|
function Button(props) {
|
||||||
return (
|
return (
|
||||||
<button onClick={props.onClickFunc}>
|
<button onClick={props.onClickFunc}>
|
||||||
+1
|
+1
|
||||||
</button>
|
</button>
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
function Display (props) {
|
function Display (props) {
|
||||||
return (
|
return (
|
||||||
<div>{props.message}</div>
|
<div>{props.message}</div>
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
function App() {
|
function App() {
|
||||||
|
|
||||||
// state must be declare in the outer component it can be passed to each children
|
// state must be declare in the outer component it can be passed to each children
|
||||||
const [count, setCount] = useState(0);
|
const [count, setCount] = useState(0);
|
||||||
const incrementCounter = () => setCount(count + 1);
|
const incrementCounter = () => setCount(count + 1);
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<div className="App">
|
<div className="App">
|
||||||
<Button onClickFunc={incrementCounter}/>
|
<Button onClickFunc={incrementCounter}/>
|
||||||
<Display message={count}/>
|
<Display message={count}/>
|
||||||
</div>
|
</div>
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
export default App;
|
export default App;
|
||||||
```
|
```
|
||||||
|
|
||||||
### User Input (Forms)
|
### User Input (Forms)
|
||||||
|
|
||||||
```js
|
```js
|
||||||
function Form() {
|
function Form() {
|
||||||
const [userName, setUserName] = useState("");
|
const [userName, setUserName] = useState("");
|
||||||
|
|
||||||
handleSubmit = (event) => {
|
handleSubmit = (event) => {
|
||||||
event.preventDefault();
|
event.preventDefault();
|
||||||
// ...
|
// ...
|
||||||
}
|
}
|
||||||
|
|
||||||
return(
|
return(
|
||||||
<form onSubmit={handleSubmit}>
|
<form onSubmit={handleSubmit}>
|
||||||
<input
|
<input
|
||||||
type="text"
|
type="text"
|
||||||
value={userName} // controlled component
|
value={userName} // controlled component
|
||||||
onChange={(event) => setUserName(event.target.value)} // needed to update UI on dom change
|
onChange={(event) => setUserName(event.target.value)} // needed to update UI on dom change
|
||||||
required
|
required
|
||||||
/>
|
/>
|
||||||
<button></button>
|
<button></button>
|
||||||
</form>
|
</form>
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
### Lists of Components
|
### Lists of Components
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// ...
|
// ...
|
||||||
<div>
|
<div>
|
||||||
{array.map(item => <Component key={uniqueID}>)}
|
{array.map(item => <Component key={uniqueID}>)}
|
||||||
</div>
|
</div>
|
||||||
// ...
|
// ...
|
||||||
```
|
```
|
||||||
|
|
||||||
> **Note**: The `key` attribute of the component is needed to identify a particular item. It's most useful if the list has to be sorted.
|
> **Note**: The `key` attribute of the component is needed to identify a particular item. It's most useful if the list has to be sorted.
|
||||||
|
|
||||||
## Hooks
|
## Hooks
|
||||||
|
|
||||||
### `useState`
|
### `useState`
|
||||||
|
|
||||||
Hook used to create a state object.
|
Hook used to create a state object.
|
||||||
|
|
||||||
`useState()` results:
|
`useState()` results:
|
||||||
|
|
||||||
- state object (getter)
|
- state object (getter)
|
||||||
- updater function (setter)
|
- updater function (setter)
|
||||||
|
|
||||||
```js
|
```js
|
||||||
const [state, setState] = useState(default);
|
const [state, setState] = useState(default);
|
||||||
```
|
```
|
||||||
|
|
||||||
### `useEffect`
|
### `useEffect`
|
||||||
|
|
||||||
Hook used to trigger an action on each render of the component or when one of the watched items changes.
|
Hook used to trigger an action on each render of the component or when one of the watched items changes.
|
||||||
|
|
||||||
```js
|
```js
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
// "side effects" operations
|
// "side effects" operations
|
||||||
|
|
||||||
return () => {/* clean up side effect */} // optional
|
return () => {/* clean up side effect */} // optional
|
||||||
}, [/* list of watched items, empty triggers once */]);
|
}, [/* list of watched items, empty triggers once */]);
|
||||||
```
|
```
|
||||||
|
|
||||||
### Custom Hooks
|
### Custom Hooks
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// hook definitions
|
// hook definitions
|
||||||
const useCustomHook = () => {
|
const useCustomHook = () => {
|
||||||
// eventual state definitions
|
// eventual state definitions
|
||||||
|
|
||||||
// eventual function definitions
|
// eventual function definitions
|
||||||
|
|
||||||
// ...
|
// ...
|
||||||
|
|
||||||
return { obj1, obj2, ... };
|
return { obj1, obj2, ... };
|
||||||
}
|
}
|
||||||
|
|
||||||
const Component(){
|
const Component(){
|
||||||
// retrieve elements from the hook
|
// retrieve elements from the hook
|
||||||
const {
|
const {
|
||||||
obj1,
|
obj1,
|
||||||
obj2,
|
obj2,
|
||||||
...
|
...
|
||||||
} = useCustomHook();
|
} = useCustomHook();
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
|
@ -1,465 +1,465 @@
|
||||||
# [Redux](https://redux.js.org/)
|
# [Redux](https://redux.js.org/)
|
||||||
|
|
||||||
Redux is a pattern and library for managing and updating application state, using events called *actions*. It serves as a centralized store for state that needs to be used across the entire application, with rules ensuring that the state can only be updated in a predictable fashion.
|
Redux is a pattern and library for managing and updating application state, using events called *actions*. It serves as a centralized store for state that needs to be used across the entire application, with rules ensuring that the state can only be updated in a predictable fashion.
|
||||||
|
|
||||||
## Actions, Store, Immutability & Reducers
|
## Actions, Store, Immutability & Reducers
|
||||||
|
|
||||||
### Actions & Action Creators
|
### Actions & Action Creators
|
||||||
|
|
||||||
An **Action** is a plain JavaScript object that has a `type` field. An action object can have other fields with additional information about what happened.
|
An **Action** is a plain JavaScript object that has a `type` field. An action object can have other fields with additional information about what happened.
|
||||||
By convention, that information is stored in a field called `payload`.
|
By convention, that information is stored in a field called `payload`.
|
||||||
|
|
||||||
**Action Creators** are functions that create and return action objects.
|
**Action Creators** are functions that create and return action objects.
|
||||||
|
|
||||||
```js
|
```js
|
||||||
function actionCreator(data)
|
function actionCreator(data)
|
||||||
{
|
{
|
||||||
return { type: ACTION_TYPE, payload: data }; // action obj
|
return { type: ACTION_TYPE, payload: data }; // action obj
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
### Store
|
### Store
|
||||||
|
|
||||||
The current Redux application state lives in an object called the **store**.
|
The current Redux application state lives in an object called the **store**.
|
||||||
The store is created by passing in a reducer, and has a method called `getState` that returns the current state value.
|
The store is created by passing in a reducer, and has a method called `getState` that returns the current state value.
|
||||||
|
|
||||||
The Redux store has a method called `dispatch`. The only way to update the state is to call `store.dispatch()` and pass in an action object.
|
The Redux store has a method called `dispatch`. The only way to update the state is to call `store.dispatch()` and pass in an action object.
|
||||||
The store will run its reducer function and save the new state value inside.
|
The store will run its reducer function and save the new state value inside.
|
||||||
|
|
||||||
**Selectors** are functions that know how to extract specific pieces of information from a store state value.
|
**Selectors** are functions that know how to extract specific pieces of information from a store state value.
|
||||||
|
|
||||||
In `initialState.js`;
|
In `initialState.js`;
|
||||||
|
|
||||||
```js
|
```js
|
||||||
export default {
|
export default {
|
||||||
// initial state here
|
// initial state here
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
In `configStore.js`:
|
In `configStore.js`:
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// configStore.js
|
// configStore.js
|
||||||
import { createStore, applyMiddleware, compose } from "redux";
|
import { createStore, applyMiddleware, compose } from "redux";
|
||||||
|
|
||||||
export function configStore(initialState) {
|
export function configStore(initialState) {
|
||||||
const composeEnhancers =
|
const composeEnhancers =
|
||||||
window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__ || compose; // support for redux devtools
|
window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__ || compose; // support for redux devtools
|
||||||
|
|
||||||
return createStore(
|
return createStore(
|
||||||
rootReducer,
|
rootReducer,
|
||||||
initialState,
|
initialState,
|
||||||
composeEnhancers(applyMiddleware(middleware, ...))
|
composeEnhancers(applyMiddleware(middleware, ...))
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
// available functions & methods
|
// available functions & methods
|
||||||
replaceReducer(newReducer); // replace an existing reducer, useful for Hot Reload
|
replaceReducer(newReducer); // replace an existing reducer, useful for Hot Reload
|
||||||
store.dispatch(action); // trigger a state change based on an action
|
store.dispatch(action); // trigger a state change based on an action
|
||||||
store.subscribe(listener);
|
store.subscribe(listener);
|
||||||
store.getState(); // retrieve current state
|
store.getState(); // retrieve current state
|
||||||
```
|
```
|
||||||
|
|
||||||
### Reducers
|
### Reducers
|
||||||
|
|
||||||
**Reducers** are functions that receives the current state and an action, decide how to update the state if necessary, and return the new state.
|
**Reducers** are functions that receives the current state and an action, decide how to update the state if necessary, and return the new state.
|
||||||
|
|
||||||
Reducers must **always** follow some specific rules:
|
Reducers must **always** follow some specific rules:
|
||||||
|
|
||||||
- They should only calculate the new state value based on the `state` and `action` arguments
|
- They should only calculate the new state value based on the `state` and `action` arguments
|
||||||
- They are not allowed to modify the existing `state`.
|
- They are not allowed to modify the existing `state`.
|
||||||
Instead, they must make *immutable updates*, by copying the existing `state` and making changes to the copied values.
|
Instead, they must make *immutable updates*, by copying the existing `state` and making changes to the copied values.
|
||||||
- They must not do any asynchronous logic, calculate random values, or cause other "side effects"
|
- They must not do any asynchronous logic, calculate random values, or cause other "side effects"
|
||||||
|
|
||||||
```js
|
```js
|
||||||
import initialState from "path/to/initialState";
|
import initialState from "path/to/initialState";
|
||||||
|
|
||||||
function reducer(state = initialState, action) {
|
function reducer(state = initialState, action) {
|
||||||
switch(action.type){
|
switch(action.type){
|
||||||
case "ACTION_TYPE":
|
case "ACTION_TYPE":
|
||||||
return { ...state, prop: value }; // return modified copy of state (using spread operator)
|
return { ...state, prop: value }; // return modified copy of state (using spread operator)
|
||||||
break;
|
break;
|
||||||
|
|
||||||
default:
|
default:
|
||||||
return state; // return unchanged state (NEEDED)
|
return state; // return unchanged state (NEEDED)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// combining reducers
|
// combining reducers
|
||||||
import { combineReducers } from "redux";
|
import { combineReducers } from "redux";
|
||||||
|
|
||||||
const rootReducer = combineReducers({
|
const rootReducer = combineReducers({
|
||||||
entity: entityReducer.
|
entity: entityReducer.
|
||||||
...
|
...
|
||||||
});
|
});
|
||||||
```
|
```
|
||||||
|
|
||||||
> **Note**: multiple reducers can be triggered by the same action since each one operates on a different portion of the state.
|
> **Note**: multiple reducers can be triggered by the same action since each one operates on a different portion of the state.
|
||||||
|
|
||||||
## [React-Redux](https://react-redux.js.org/)
|
## [React-Redux](https://react-redux.js.org/)
|
||||||
|
|
||||||
### Container vs Presentational Components
|
### Container vs Presentational Components
|
||||||
|
|
||||||
Container Components:
|
Container Components:
|
||||||
|
|
||||||
- Focus on how thing work
|
- Focus on how thing work
|
||||||
- Aware of Redux
|
- Aware of Redux
|
||||||
- Subscribe to Redux State
|
- Subscribe to Redux State
|
||||||
- Dispatch Redux actions
|
- Dispatch Redux actions
|
||||||
|
|
||||||
Presentational Components:
|
Presentational Components:
|
||||||
|
|
||||||
- Focus on how things look
|
- Focus on how things look
|
||||||
- Unaware of Redux
|
- Unaware of Redux
|
||||||
- Read data from props
|
- Read data from props
|
||||||
- Invoke callbacks on props
|
- Invoke callbacks on props
|
||||||
|
|
||||||
### Provider Component & Connect
|
### Provider Component & Connect
|
||||||
|
|
||||||
Used at the root component and wraps all the application.
|
Used at the root component and wraps all the application.
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// index.js
|
// index.js
|
||||||
import React from 'react';
|
import React from 'react';
|
||||||
import ReactDOM from 'react-dom';
|
import ReactDOM from 'react-dom';
|
||||||
import { Provider } from 'react-redux';
|
import { Provider } from 'react-redux';
|
||||||
|
|
||||||
import { configStore } from 'path/to/configStore';
|
import { configStore } from 'path/to/configStore';
|
||||||
import initialState from "path/to/initialState";
|
import initialState from "path/to/initialState";
|
||||||
import App from './App';
|
import App from './App';
|
||||||
|
|
||||||
const store = configStore(initialState);
|
const store = configStore(initialState);
|
||||||
|
|
||||||
const rootElement = document.getElementById('root');
|
const rootElement = document.getElementById('root');
|
||||||
ReactDOM.render(
|
ReactDOM.render(
|
||||||
<Provider store={store}>
|
<Provider store={store}>
|
||||||
<App />
|
<App />
|
||||||
</Provider>,
|
</Provider>,
|
||||||
rootElement
|
rootElement
|
||||||
);
|
);
|
||||||
```
|
```
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// Component.js
|
// Component.js
|
||||||
import { connect } from 'react-redux';
|
import { connect } from 'react-redux';
|
||||||
import { increment, decrement, reset } from './actionCreators';
|
import { increment, decrement, reset } from './actionCreators';
|
||||||
|
|
||||||
// const Component = ...
|
// const Component = ...
|
||||||
|
|
||||||
// specifies which state is passed to the component (called on state change)
|
// specifies which state is passed to the component (called on state change)
|
||||||
const mapStateToProps = (state, ownProps /* optional */) => {
|
const mapStateToProps = (state, ownProps /* optional */) => {
|
||||||
// structure of the props passed to the component
|
// structure of the props passed to the component
|
||||||
return { propName: state.property };
|
return { propName: state.property };
|
||||||
};
|
};
|
||||||
|
|
||||||
// specifies the action passed to a component (the key is the name that the prop will have )
|
// specifies the action passed to a component (the key is the name that the prop will have )
|
||||||
const mapDispatchToProps = { actionCreator: actionCreator };
|
const mapDispatchToProps = { actionCreator: actionCreator };
|
||||||
// or
|
// or
|
||||||
function mapDispatchToProps(dispatch) {
|
function mapDispatchToProps(dispatch) {
|
||||||
return {
|
return {
|
||||||
// wrap action creators
|
// wrap action creators
|
||||||
actionCreator: (args) => dispatch(actionCreator(args))
|
actionCreator: (args) => dispatch(actionCreator(args))
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
// or
|
// or
|
||||||
function mapDispatchToProps(dispatch) {
|
function mapDispatchToProps(dispatch) {
|
||||||
return {
|
return {
|
||||||
actionCreator: bindActionCreators(actionCreator, dispatch),
|
actionCreator: bindActionCreators(actionCreator, dispatch),
|
||||||
actions: bindActionCreators(allActionCreators, dispatch)
|
actions: bindActionCreators(allActionCreators, dispatch)
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
// both args are optional
|
// both args are optional
|
||||||
// if mapDispatch is missing the dispatch function is added to the props
|
// if mapDispatch is missing the dispatch function is added to the props
|
||||||
export default connect(mapStateToProps, mapDispatchToProps)(Component);
|
export default connect(mapStateToProps, mapDispatchToProps)(Component);
|
||||||
```
|
```
|
||||||
|
|
||||||
## Async Operations with [Redux-Thunk](https://github.com/reduxjs/redux-thunk)
|
## Async Operations with [Redux-Thunk](https://github.com/reduxjs/redux-thunk)
|
||||||
|
|
||||||
**Note**: Redux middleware runs *after* and action and *before* it's reducer.
|
**Note**: Redux middleware runs *after* and action and *before* it's reducer.
|
||||||
|
|
||||||
Redux-Thunk allows to return functions instead of objects from action creators.
|
Redux-Thunk allows to return functions instead of objects from action creators.
|
||||||
A "thunk" is a function that wraps an expression to delay it's evaluation.
|
A "thunk" is a function that wraps an expression to delay it's evaluation.
|
||||||
|
|
||||||
In `configStore.js`:
|
In `configStore.js`:
|
||||||
|
|
||||||
```js
|
```js
|
||||||
import { createStore, applyMiddleware, compose } from "redux";
|
import { createStore, applyMiddleware, compose } from "redux";
|
||||||
import thunk from "redux-thunk";
|
import thunk from "redux-thunk";
|
||||||
|
|
||||||
function configStore(initialState) {
|
function configStore(initialState) {
|
||||||
const composeEnhancers =
|
const composeEnhancers =
|
||||||
window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__ || compose; // support for redux devtools
|
window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__ || compose; // support for redux devtools
|
||||||
|
|
||||||
return createStore(
|
return createStore(
|
||||||
rootReducer,
|
rootReducer,
|
||||||
initialState,
|
initialState,
|
||||||
composeEnhancers(applyMiddleware(thunk, ...)) // add thunks middleware
|
composeEnhancers(applyMiddleware(thunk, ...)) // add thunks middleware
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// usually action on async func success
|
// usually action on async func success
|
||||||
function actionCreator(arg) {
|
function actionCreator(arg) {
|
||||||
return { type: TYPE, data: arg };
|
return { type: TYPE, data: arg };
|
||||||
}
|
}
|
||||||
|
|
||||||
export function thunk() {
|
export function thunk() {
|
||||||
return function (dispatch) { // redux-thunk injects dispatch as arg
|
return function (dispatch) { // redux-thunk injects dispatch as arg
|
||||||
return asyncFunction().then((data) => { // async function returns a promise
|
return asyncFunction().then((data) => { // async function returns a promise
|
||||||
dispatch(actionCreator(data));
|
dispatch(actionCreator(data));
|
||||||
})
|
})
|
||||||
.catch((error) => {
|
.catch((error) => {
|
||||||
throw error;
|
throw error;
|
||||||
});
|
});
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
// or using async/await
|
// or using async/await
|
||||||
export async function thunk() {
|
export async function thunk() {
|
||||||
return function (dispatch) { // redux-thunk injects dispatch as arg
|
return function (dispatch) { // redux-thunk injects dispatch as arg
|
||||||
try {
|
try {
|
||||||
let data = await asyncFunction();
|
let data = await asyncFunction();
|
||||||
return dispatch(actionCreator(data));
|
return dispatch(actionCreator(data));
|
||||||
} catch(error) {
|
} catch(error) {
|
||||||
throw error;
|
throw error;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
## [Redux-Toolkit](https://redux-toolkit.js.org/)
|
## [Redux-Toolkit](https://redux-toolkit.js.org/)
|
||||||
|
|
||||||
The Redux Toolkit package is intended to be the standard way to write Redux logic. It was originally created to help address three common concerns about Redux.
|
The Redux Toolkit package is intended to be the standard way to write Redux logic. It was originally created to help address three common concerns about Redux.
|
||||||
|
|
||||||
Redux Toolkit also includes a powerful data fetching and caching capability dubbed "RTK Query". It's included in the package as a separate set of entry points. It's optional, but can eliminate the need to hand-write data fetching logic yourself.
|
Redux Toolkit also includes a powerful data fetching and caching capability dubbed "RTK Query". It's included in the package as a separate set of entry points. It's optional, but can eliminate the need to hand-write data fetching logic yourself.
|
||||||
|
|
||||||
These tools should be beneficial to all Redux users. Whether you're a brand new Redux user setting up your first project, or an experienced user who wants to simplify an existing application, Redux Toolkit can help you make your Redux code better.
|
These tools should be beneficial to all Redux users. Whether you're a brand new Redux user setting up your first project, or an experienced user who wants to simplify an existing application, Redux Toolkit can help you make your Redux code better.
|
||||||
Installation
|
Installation
|
||||||
Using Create React App
|
Using Create React App
|
||||||
|
|
||||||
The recommended way to start new apps with React and Redux is by using the official Redux+JS template or Redux+TS template for Create React App, which takes advantage of Redux Toolkit and React Redux's integration with React components.
|
The recommended way to start new apps with React and Redux is by using the official Redux+JS template or Redux+TS template for Create React App, which takes advantage of Redux Toolkit and React Redux's integration with React components.
|
||||||
|
|
||||||
```sh
|
```sh
|
||||||
# Redux + Plain JS template
|
# Redux + Plain JS template
|
||||||
npx create-react-app my-app --template redux
|
npx create-react-app my-app --template redux
|
||||||
|
|
||||||
# Redux + TypeScript template
|
# Redux + TypeScript template
|
||||||
npx create-react-app my-app --template redux-typescript
|
npx create-react-app my-app --template redux-typescript
|
||||||
```
|
```
|
||||||
|
|
||||||
Redux Toolkit includes these APIs:
|
Redux Toolkit includes these APIs:
|
||||||
|
|
||||||
- [`configureStore()`][cfg_store]: wraps `createStore` to provide simplified configuration options and good defaults.
|
- [`configureStore()`][cfg_store]: wraps `createStore` to provide simplified configuration options and good defaults.
|
||||||
It can automatically combines slice reducers, adds whatever Redux middleware supplied, includes redux-thunk by default, and enables use of the Redux DevTools Extension.
|
It can automatically combines slice reducers, adds whatever Redux middleware supplied, includes redux-thunk by default, and enables use of the Redux DevTools Extension.
|
||||||
|
|
||||||
- [`createReducer()`][new_reducer]: that lets you supply a lookup table of action types to case reducer functions, rather than writing switch statements.
|
- [`createReducer()`][new_reducer]: that lets you supply a lookup table of action types to case reducer functions, rather than writing switch statements.
|
||||||
In addition, it automatically uses the `immer` library to let you write simpler immutable updates with normal mutative code, like `state.todos[3].completed = true`.
|
In addition, it automatically uses the `immer` library to let you write simpler immutable updates with normal mutative code, like `state.todos[3].completed = true`.
|
||||||
|
|
||||||
- [`createAction()`][new_action]: generates an action creator function for the given action type string.
|
- [`createAction()`][new_action]: generates an action creator function for the given action type string.
|
||||||
The function itself has `toString()` defined, so that it can be used in place of the type constant.
|
The function itself has `toString()` defined, so that it can be used in place of the type constant.
|
||||||
- [`createSlice()`][new_slice]: accepts an object of reducer functions, a slice name, and an initial state value, and automatically generates a slice reducer with corresponding action creators and action types.
|
- [`createSlice()`][new_slice]: accepts an object of reducer functions, a slice name, and an initial state value, and automatically generates a slice reducer with corresponding action creators and action types.
|
||||||
- [`createAsyncThunk`][new_async_thunk]: accepts an action type string and a function that returns a promise, and generates a thunk that dispatches pending/fulfilled/rejected action types based on that promise
|
- [`createAsyncThunk`][new_async_thunk]: accepts an action type string and a function that returns a promise, and generates a thunk that dispatches pending/fulfilled/rejected action types based on that promise
|
||||||
- [`createEntityAdapter`][entity_adapt]: generates a set of reusable reducers and selectors to manage normalized data in the store
|
- [`createEntityAdapter`][entity_adapt]: generates a set of reusable reducers and selectors to manage normalized data in the store
|
||||||
- The `createSelector` utility from the Reselect library, re-exported for ease of use.
|
- The `createSelector` utility from the Reselect library, re-exported for ease of use.
|
||||||
|
|
||||||
[cfg_store]: https://redux-toolkit.js.org/api/configureStore
|
[cfg_store]: https://redux-toolkit.js.org/api/configureStore
|
||||||
[new_reducer]: https://redux-toolkit.js.org/api/createReducer
|
[new_reducer]: https://redux-toolkit.js.org/api/createReducer
|
||||||
[new_action]: https://redux-toolkit.js.org/api/createAction
|
[new_action]: https://redux-toolkit.js.org/api/createAction
|
||||||
[new_slice]: https://redux-toolkit.js.org/api/createSlice
|
[new_slice]: https://redux-toolkit.js.org/api/createSlice
|
||||||
[new_async_thunk]: https://redux-toolkit.js.org/api/createAsyncThunk
|
[new_async_thunk]: https://redux-toolkit.js.org/api/createAsyncThunk
|
||||||
[entity_adapt]: https://redux-toolkit.js.org/api/createEntityAdapter
|
[entity_adapt]: https://redux-toolkit.js.org/api/createEntityAdapter
|
||||||
|
|
||||||
### [`configureStore`](https://redux-toolkit.js.org/api/configureStore)
|
### [`configureStore`](https://redux-toolkit.js.org/api/configureStore)
|
||||||
|
|
||||||
Included Default Middleware:
|
Included Default Middleware:
|
||||||
|
|
||||||
- Immutability check middleware: deeply compares state values for mutations. It can detect mutations in reducers during a dispatch, and also mutations that occur between dispatches.
|
- Immutability check middleware: deeply compares state values for mutations. It can detect mutations in reducers during a dispatch, and also mutations that occur between dispatches.
|
||||||
When a mutation is detected, it will throw an error and indicate the key path for where the mutated value was detected in the state tree. (Forked from `redux-immutable-state-invariant`.)
|
When a mutation is detected, it will throw an error and indicate the key path for where the mutated value was detected in the state tree. (Forked from `redux-immutable-state-invariant`.)
|
||||||
|
|
||||||
- Serializability check middleware: a custom middleware created specifically for use in Redux Toolkit
|
- Serializability check middleware: a custom middleware created specifically for use in Redux Toolkit
|
||||||
Similar in concept to `immutable-state-invariant`, but deeply checks the state tree and the actions for non-serializable values such as functions, Promises, Symbols, and other non-plain-JS-data values
|
Similar in concept to `immutable-state-invariant`, but deeply checks the state tree and the actions for non-serializable values such as functions, Promises, Symbols, and other non-plain-JS-data values
|
||||||
When a non-serializable value is detected, a console error will be printed with the key path for where the non-serializable value was detected.
|
When a non-serializable value is detected, a console error will be printed with the key path for where the non-serializable value was detected.
|
||||||
|
|
||||||
- In addition to these development tool middleware, it also adds `redux-thunk` by default, since thunks are the basic recommended side effects middleware for Redux.
|
- In addition to these development tool middleware, it also adds `redux-thunk` by default, since thunks are the basic recommended side effects middleware for Redux.
|
||||||
|
|
||||||
Currently, the return value of `getDefaultMiddleware()` is:
|
Currently, the return value of `getDefaultMiddleware()` is:
|
||||||
|
|
||||||
```js
|
```js
|
||||||
// development
|
// development
|
||||||
const middleware = [thunk, immutableStateInvariant, serializableStateInvariant]
|
const middleware = [thunk, immutableStateInvariant, serializableStateInvariant]
|
||||||
|
|
||||||
// production
|
// production
|
||||||
const middleware = [thunk]
|
const middleware = [thunk]
|
||||||
```
|
```
|
||||||
|
|
||||||
```js
|
```js
|
||||||
|
|
||||||
import { combineReducers } from 'redux'
|
import { combineReducers } from 'redux'
|
||||||
import { configureStore } from '@reduxjs/toolkit'
|
import { configureStore } from '@reduxjs/toolkit'
|
||||||
import monitorReducersEnhancer from './enhancers/monitorReducers'
|
import monitorReducersEnhancer from './enhancers/monitorReducers'
|
||||||
import loggerMiddleware from './middleware/logger'
|
import loggerMiddleware from './middleware/logger'
|
||||||
import usersReducer from './usersReducer'
|
import usersReducer from './usersReducer'
|
||||||
import postsReducer from './postsReducer'
|
import postsReducer from './postsReducer'
|
||||||
|
|
||||||
const rootReducer = combineReducers({
|
const rootReducer = combineReducers({
|
||||||
users: usersReducer,
|
users: usersReducer,
|
||||||
posts: postsReducer,
|
posts: postsReducer,
|
||||||
})
|
})
|
||||||
|
|
||||||
const store = configureStore({
|
const store = configureStore({
|
||||||
// reducers combined automatically
|
// reducers combined automatically
|
||||||
reducer: rootReducer,
|
reducer: rootReducer,
|
||||||
middleware: (getDefaultMiddleware) => getDefaultMiddleware().concat(loggerMiddleware),
|
middleware: (getDefaultMiddleware) => getDefaultMiddleware().concat(loggerMiddleware),
|
||||||
enhancers: [monitorReducersEnhancer]
|
enhancers: [monitorReducersEnhancer]
|
||||||
})
|
})
|
||||||
|
|
||||||
export default store
|
export default store
|
||||||
```
|
```
|
||||||
|
|
||||||
### [`createAction`](https://redux-toolkit.js.org/api/createAction)
|
### [`createAction`](https://redux-toolkit.js.org/api/createAction)
|
||||||
|
|
||||||
```js
|
```js
|
||||||
import { createAction } from '@reduxjs/toolkit';
|
import { createAction } from '@reduxjs/toolkit';
|
||||||
|
|
||||||
const increment = createAction<number | undefined>('counter/increment');
|
const increment = createAction<number | undefined>('counter/increment');
|
||||||
|
|
||||||
const action = increment(); // { type: 'counter/increment' }
|
const action = increment(); // { type: 'counter/increment' }
|
||||||
const action = increment(3); // { type: 'counter/increment', payload: 3 }
|
const action = increment(3); // { type: 'counter/increment', payload: 3 }
|
||||||
|
|
||||||
increment.toString(); // 'counter/increment'
|
increment.toString(); // 'counter/increment'
|
||||||
```
|
```
|
||||||
|
|
||||||
### [`createReducer`](https://redux-toolkit.js.org/api/createReducer)
|
### [`createReducer`](https://redux-toolkit.js.org/api/createReducer)
|
||||||
|
|
||||||
```js
|
```js
|
||||||
import { createAction, createReducer } from '@reduxjs/toolkit'
|
import { createAction, createReducer } from '@reduxjs/toolkit'
|
||||||
|
|
||||||
interface CounterState {
|
interface CounterState {
|
||||||
value: number
|
value: number
|
||||||
}
|
}
|
||||||
|
|
||||||
const increment = createAction('counter/increment')
|
const increment = createAction('counter/increment')
|
||||||
const decrement = createAction('counter/decrement')
|
const decrement = createAction('counter/decrement')
|
||||||
const incrementByAmount = createAction<number>('counter/incrementByAmount')
|
const incrementByAmount = createAction<number>('counter/incrementByAmount')
|
||||||
|
|
||||||
const initialState = { value: 0 } as CounterState
|
const initialState = { value: 0 } as CounterState
|
||||||
|
|
||||||
const counterReducer = createReducer(initialState, (builder) => {
|
const counterReducer = createReducer(initialState, (builder) => {
|
||||||
builder
|
builder
|
||||||
.addCase(increment, (state, action) => {
|
.addCase(increment, (state, action) => {
|
||||||
state.value++
|
state.value++
|
||||||
})
|
})
|
||||||
.addCase(decrement, (state, action) => {
|
.addCase(decrement, (state, action) => {
|
||||||
state.value--
|
state.value--
|
||||||
})
|
})
|
||||||
.addCase(incrementByAmount, (state, action) => {
|
.addCase(incrementByAmount, (state, action) => {
|
||||||
state.value += action.payload
|
state.value += action.payload
|
||||||
})
|
})
|
||||||
})
|
})
|
||||||
```
|
```
|
||||||
|
|
||||||
### [`createSlice`](https://redux-toolkit.js.org/api/createSlice)
|
### [`createSlice`](https://redux-toolkit.js.org/api/createSlice)
|
||||||
|
|
||||||
A function that accepts an initial state, an object of reducer functions, and a "slice name", and automatically generates action creators and action types that correspond to the reducers and state.
|
A function that accepts an initial state, an object of reducer functions, and a "slice name", and automatically generates action creators and action types that correspond to the reducers and state.
|
||||||
|
|
||||||
Internally, it uses `createAction` and `createReducer`, so it's possible to use Immer to write "mutating" immutable updates.
|
Internally, it uses `createAction` and `createReducer`, so it's possible to use Immer to write "mutating" immutable updates.
|
||||||
|
|
||||||
**Note**: action types will have the `<slice-name>/<reducer-name>` shape.
|
**Note**: action types will have the `<slice-name>/<reducer-name>` shape.
|
||||||
|
|
||||||
```js
|
```js
|
||||||
import { createSlice, PayloadAction } from '@reduxjs/toolkit'
|
import { createSlice, PayloadAction } from '@reduxjs/toolkit'
|
||||||
|
|
||||||
interface CounterState {
|
interface CounterState {
|
||||||
value: number
|
value: number
|
||||||
}
|
}
|
||||||
|
|
||||||
const initialState = { value: 0 } as CounterState
|
const initialState = { value: 0 } as CounterState
|
||||||
|
|
||||||
const counterSlice = createSlice({
|
const counterSlice = createSlice({
|
||||||
name: 'counter',
|
name: 'counter',
|
||||||
initialState,
|
initialState,
|
||||||
reducers: {
|
reducers: {
|
||||||
increment(state) {
|
increment(state) {
|
||||||
state.value++
|
state.value++
|
||||||
},
|
},
|
||||||
decrement(state) {
|
decrement(state) {
|
||||||
state.value--
|
state.value--
|
||||||
},
|
},
|
||||||
incrementByAmount(state, action: PayloadAction<number>) {
|
incrementByAmount(state, action: PayloadAction<number>) {
|
||||||
state.value += action.payload
|
state.value += action.payload
|
||||||
},
|
},
|
||||||
},
|
},
|
||||||
})
|
})
|
||||||
|
|
||||||
export const { increment, decrement, incrementByAmount } = counterSlice.actions
|
export const { increment, decrement, incrementByAmount } = counterSlice.actions
|
||||||
export default counterSlice.reducer
|
export default counterSlice.reducer
|
||||||
```
|
```
|
||||||
|
|
||||||
### [`createAsyncThunk`](https://redux-toolkit.js.org/api/createAsyncThunk)
|
### [`createAsyncThunk`](https://redux-toolkit.js.org/api/createAsyncThunk)
|
||||||
|
|
||||||
The function `createAsyncThunk` returns a standard Redux thunk action creator.
|
The function `createAsyncThunk` returns a standard Redux thunk action creator.
|
||||||
The thunk action creator function will have plain action creators for the pending, fulfilled, and rejected cases attached as nested fields.
|
The thunk action creator function will have plain action creators for the pending, fulfilled, and rejected cases attached as nested fields.
|
||||||
|
|
||||||
The `payloadCreator` function will be called with two arguments:
|
The `payloadCreator` function will be called with two arguments:
|
||||||
|
|
||||||
- `arg`: a single value, containing the first parameter that was passed to the thunk action creator when it was dispatched.
|
- `arg`: a single value, containing the first parameter that was passed to the thunk action creator when it was dispatched.
|
||||||
- `thunkAPI`: an object containing all of the parameters that are normally passed to a Redux thunk function, as well as additional options:
|
- `thunkAPI`: an object containing all of the parameters that are normally passed to a Redux thunk function, as well as additional options:
|
||||||
- `dispatch`: the Redux store dispatch method
|
- `dispatch`: the Redux store dispatch method
|
||||||
- `getState`: the Redux store getState method
|
- `getState`: the Redux store getState method
|
||||||
- `extra`: the "extra argument" given to the thunk middleware on setup, if available
|
- `extra`: the "extra argument" given to the thunk middleware on setup, if available
|
||||||
- `requestId`: a unique string ID value that was automatically generated to identify this request sequence
|
- `requestId`: a unique string ID value that was automatically generated to identify this request sequence
|
||||||
- `signal`: an `AbortController.signal` object that may be used to see if another part of the app logic has marked this request as needing cancellation.
|
- `signal`: an `AbortController.signal` object that may be used to see if another part of the app logic has marked this request as needing cancellation.
|
||||||
- [...]
|
- [...]
|
||||||
|
|
||||||
The logic in the `payloadCreator` function may use any of these values as needed to calculate the result.
|
The logic in the `payloadCreator` function may use any of these values as needed to calculate the result.
|
||||||
|
|
||||||
```js
|
```js
|
||||||
import { createAsyncThunk, createSlice } from '@reduxjs/toolkit'
|
import { createAsyncThunk, createSlice } from '@reduxjs/toolkit'
|
||||||
|
|
||||||
const payloadCreator = async (arg, ThunkAPI): Promise<T> => { /* ... */ };
|
const payloadCreator = async (arg, ThunkAPI): Promise<T> => { /* ... */ };
|
||||||
const thunk = createAsyncThunk("<action-type>", payloadCreator);
|
const thunk = createAsyncThunk("<action-type>", payloadCreator);
|
||||||
|
|
||||||
thunk.pending; // action creator that dispatches an '<action-type>/pending'
|
thunk.pending; // action creator that dispatches an '<action-type>/pending'
|
||||||
thunk.fulfilled; // action creator that dispatches an '<action-type>/fulfilled'
|
thunk.fulfilled; // action creator that dispatches an '<action-type>/fulfilled'
|
||||||
thunk.rejected; // action creator that dispatches an '<action-type>/rejected'
|
thunk.rejected; // action creator that dispatches an '<action-type>/rejected'
|
||||||
|
|
||||||
const slice = createSlice({
|
const slice = createSlice({
|
||||||
name: '<action-name>',
|
name: '<action-name>',
|
||||||
initialState,
|
initialState,
|
||||||
reducers: { /* standard reducer logic, with auto-generated action types per reducer */ },
|
reducers: { /* standard reducer logic, with auto-generated action types per reducer */ },
|
||||||
extraReducers: (builder) => {
|
extraReducers: (builder) => {
|
||||||
// Add reducers for additional action types here, and handle loading state as needed
|
// Add reducers for additional action types here, and handle loading state as needed
|
||||||
builder.addCase(thunk.fulfilled, (state, action) => { /* body of the reducer */ })
|
builder.addCase(thunk.fulfilled, (state, action) => { /* body of the reducer */ })
|
||||||
},
|
},
|
||||||
})
|
})
|
||||||
```
|
```
|
||||||
|
|
||||||
## RTK Query
|
## RTK Query
|
||||||
|
|
||||||
RTK Query is provided as an optional addon within the `@reduxjs/toolkit` package.
|
RTK Query is provided as an optional addon within the `@reduxjs/toolkit` package.
|
||||||
It is purpose-built to solve the use case of data fetching and caching, supplying a compact, but powerful toolset to define an API interface layer got the app.
|
It is purpose-built to solve the use case of data fetching and caching, supplying a compact, but powerful toolset to define an API interface layer got the app.
|
||||||
It is intended to simplify common cases for loading data in a web application, eliminating the need to hand-write data fetching & caching logic yourself.
|
It is intended to simplify common cases for loading data in a web application, eliminating the need to hand-write data fetching & caching logic yourself.
|
||||||
|
|
||||||
RTK Query is included within the installation of the core Redux Toolkit package. It is available via either of the two entry points below:
|
RTK Query is included within the installation of the core Redux Toolkit package. It is available via either of the two entry points below:
|
||||||
|
|
||||||
```cs
|
```cs
|
||||||
import { createApi } from '@reduxjs/toolkit/query'
|
import { createApi } from '@reduxjs/toolkit/query'
|
||||||
|
|
||||||
/* React-specific entry point that automatically generates hooks corresponding to the defined endpoints */
|
/* React-specific entry point that automatically generates hooks corresponding to the defined endpoints */
|
||||||
import { createApi } from '@reduxjs/toolkit/query/react'
|
import { createApi } from '@reduxjs/toolkit/query/react'
|
||||||
```
|
```
|
||||||
|
|
||||||
RTK Query includes these APIs:
|
RTK Query includes these APIs:
|
||||||
|
|
||||||
- [`createApi()`][new_api]: The core of RTK Query's functionality. It allows to define a set of endpoints describe how to retrieve data from a series of endpoints,
|
- [`createApi()`][new_api]: The core of RTK Query's functionality. It allows to define a set of endpoints describe how to retrieve data from a series of endpoints,
|
||||||
including configuration of how to fetch and transform that data.
|
including configuration of how to fetch and transform that data.
|
||||||
- [`fetchBaseQuery()`][fetch_query]: A small wrapper around fetch that aims to simplify requests. Intended as the recommended baseQuery to be used in createApi for the majority of users.
|
- [`fetchBaseQuery()`][fetch_query]: A small wrapper around fetch that aims to simplify requests. Intended as the recommended baseQuery to be used in createApi for the majority of users.
|
||||||
- [`<ApiProvider />`][api_provider]: Can be used as a Provider if you do not already have a Redux store.
|
- [`<ApiProvider />`][api_provider]: Can be used as a Provider if you do not already have a Redux store.
|
||||||
- [`setupListeners()`][setup_listener]: A utility used to enable refetchOnMount and refetchOnReconnect behaviors.
|
- [`setupListeners()`][setup_listener]: A utility used to enable refetchOnMount and refetchOnReconnect behaviors.
|
||||||
|
|
||||||
[new_api]: https://redux-toolkit.js.org/rtk-query/api/createApi
|
[new_api]: https://redux-toolkit.js.org/rtk-query/api/createApi
|
||||||
[fetch_query]: https://redux-toolkit.js.org/rtk-query/api/fetchBaseQuery
|
[fetch_query]: https://redux-toolkit.js.org/rtk-query/api/fetchBaseQuery
|
||||||
[api_provider]: https://redux-toolkit.js.org/rtk-query/api/ApiProvider
|
[api_provider]: https://redux-toolkit.js.org/rtk-query/api/ApiProvider
|
||||||
[setup_listener]: https://redux-toolkit.js.org/rtk-query/api/setupListeners
|
[setup_listener]: https://redux-toolkit.js.org/rtk-query/api/setupListeners
|
||||||
|
|
|
@ -1,78 +1,78 @@
|
||||||
|
|
||||||
# Collections Module
|
# Collections Module
|
||||||
|
|
||||||
``` py
|
``` py
|
||||||
# COUNTER ()
|
# COUNTER ()
|
||||||
# subclass dictionary for counting hash-capable objects
|
# subclass dictionary for counting hash-capable objects
|
||||||
from collections import Counter
|
from collections import Counter
|
||||||
Counter (sequence) # -> Counter object
|
Counter (sequence) # -> Counter object
|
||||||
# {item: num included in sequence, ...}
|
# {item: num included in sequence, ...}
|
||||||
|
|
||||||
var = Counter (sequence)
|
var = Counter (sequence)
|
||||||
var.most_common (n) # produce list of most common elements (most common n)
|
var.most_common (n) # produce list of most common elements (most common n)
|
||||||
sum (var.values ()) # total of all counts
|
sum (var.values ()) # total of all counts
|
||||||
var.clear () #reset all counts
|
var.clear () #reset all counts
|
||||||
list (var) # list unique items
|
list (var) # list unique items
|
||||||
set (var) # convert to a set
|
set (var) # convert to a set
|
||||||
dict (var) # convert to regular dictionary
|
dict (var) # convert to regular dictionary
|
||||||
var.items () # convert to a list of pairs (element, count)
|
var.items () # convert to a list of pairs (element, count)
|
||||||
Counter (dict (list_of_pairs)) # convert from a list of pairs
|
Counter (dict (list_of_pairs)) # convert from a list of pairs
|
||||||
var.most_common [: - n-1: -1] # n less common elements
|
var.most_common [: - n-1: -1] # n less common elements
|
||||||
var + = Counter () # remove zero and negative counts
|
var + = Counter () # remove zero and negative counts
|
||||||
|
|
||||||
|
|
||||||
# DEFAULTDICT ()
|
# DEFAULTDICT ()
|
||||||
# dictionary-like object that takes a default type as its first argument
|
# dictionary-like object that takes a default type as its first argument
|
||||||
# defaultdict will never raise a KeyError exception.
|
# defaultdict will never raise a KeyError exception.
|
||||||
# non-existent keys return a default value (default_factory)
|
# non-existent keys return a default value (default_factory)
|
||||||
from collections import defaultdict
|
from collections import defaultdict
|
||||||
var = defaultdict (default_factory)
|
var = defaultdict (default_factory)
|
||||||
var.popitem () # remove and return first element
|
var.popitem () # remove and return first element
|
||||||
var.popitem (last = True) # remove and return last item
|
var.popitem (last = True) # remove and return last item
|
||||||
|
|
||||||
|
|
||||||
# OREDERDDICT ()
|
# OREDERDDICT ()
|
||||||
# subclass dictionary that "remembers" the order in which the contents are entered
|
# subclass dictionary that "remembers" the order in which the contents are entered
|
||||||
# Normal dictionaries have random order
|
# Normal dictionaries have random order
|
||||||
name_dict = OrderedDict ()
|
name_dict = OrderedDict ()
|
||||||
# OrderedDict with same elements but different order are considered different
|
# OrderedDict with same elements but different order are considered different
|
||||||
|
|
||||||
|
|
||||||
# USERDICT ()
|
# USERDICT ()
|
||||||
# pure implementation in pythondi a map that works like a normal dictionary.
|
# pure implementation in pythondi a map that works like a normal dictionary.
|
||||||
# Designated to create subclasses
|
# Designated to create subclasses
|
||||||
UserDict.data # recipient of UserDict content
|
UserDict.data # recipient of UserDict content
|
||||||
|
|
||||||
|
|
||||||
# NAMEDTUPLE ()
|
# NAMEDTUPLE ()
|
||||||
# each namedtuple is represented by its own class
|
# each namedtuple is represented by its own class
|
||||||
from collections import namedtuple
|
from collections import namedtuple
|
||||||
NomeClasse = namedtuple (NomeClasse, parameters_separated_from_space)
|
NomeClasse = namedtuple (NomeClasse, parameters_separated_from_space)
|
||||||
var = ClassName (parameters)
|
var = ClassName (parameters)
|
||||||
var.attribute # access to attributes
|
var.attribute # access to attributes
|
||||||
var [index] # access to attributes
|
var [index] # access to attributes
|
||||||
var._fields # access to attribute list
|
var._fields # access to attribute list
|
||||||
var = class._make (iterable) # transformain namedtuple
|
var = class._make (iterable) # transformain namedtuple
|
||||||
var._asdict () # Return OrderedDict object starting from namedtuple
|
var._asdict () # Return OrderedDict object starting from namedtuple
|
||||||
|
|
||||||
|
|
||||||
# DEQUE ()
|
# DEQUE ()
|
||||||
# double ended queue (pronounced "deck")
|
# double ended queue (pronounced "deck")
|
||||||
# list editable on both "sides"
|
# list editable on both "sides"
|
||||||
from collections import deque
|
from collections import deque
|
||||||
var = deque (iterable, maxlen = num) # -> deque object
|
var = deque (iterable, maxlen = num) # -> deque object
|
||||||
var.append (item) # add item to the bottom
|
var.append (item) # add item to the bottom
|
||||||
var.appendleft (item) # add item to the beginning
|
var.appendleft (item) # add item to the beginning
|
||||||
var.clear () # remove all elements
|
var.clear () # remove all elements
|
||||||
var.extend (iterable) # add iterable to the bottom
|
var.extend (iterable) # add iterable to the bottom
|
||||||
var.extendleft (iterable) # add iterable to the beginning '
|
var.extendleft (iterable) # add iterable to the beginning '
|
||||||
var.insert (index, item) # insert index position
|
var.insert (index, item) # insert index position
|
||||||
var.index (item, start, stop) # returns position of item
|
var.index (item, start, stop) # returns position of item
|
||||||
var.count (item)
|
var.count (item)
|
||||||
var.pop ()
|
var.pop ()
|
||||||
var.popleft ()
|
var.popleft ()
|
||||||
var.remove (value)
|
var.remove (value)
|
||||||
var.reverse () # reverse element order
|
var.reverse () # reverse element order
|
||||||
var.rotate (n) # move the elements of n steps (dx if n> 0, sx if n <0)
|
var.rotate (n) # move the elements of n steps (dx if n> 0, sx if n <0)
|
||||||
var.sort ()
|
var.sort ()
|
||||||
```
|
```
|
||||||
|
|
|
@ -1,83 +1,83 @@
|
||||||
|
|
||||||
# CSV Module
|
# CSV Module
|
||||||
|
|
||||||
``` python
|
``` python
|
||||||
# iterate lines of csvfile
|
# iterate lines of csvfile
|
||||||
.reader (csvfile, dialect, ** fmtparams) -> reader object
|
.reader (csvfile, dialect, ** fmtparams) -> reader object
|
||||||
|
|
||||||
# READER METHODS
|
# READER METHODS
|
||||||
.__ next __ () # returns next iterable object line as a list or dictionary
|
.__ next __ () # returns next iterable object line as a list or dictionary
|
||||||
|
|
||||||
# READER ATTRIBUTES
|
# READER ATTRIBUTES
|
||||||
dialect # read-only description of the dialec used
|
dialect # read-only description of the dialec used
|
||||||
line_num # number of lines from the beginning of the iterator
|
line_num # number of lines from the beginning of the iterator
|
||||||
fieldnames
|
fieldnames
|
||||||
|
|
||||||
# convert data to delimited strings
|
# convert data to delimited strings
|
||||||
# csvfile must support .write ()
|
# csvfile must support .write ()
|
||||||
#type None converted to empty string (simplify SQL NULL dump)
|
#type None converted to empty string (simplify SQL NULL dump)
|
||||||
.writer (csvfile, dialect, ** fmtparams) -> writer object
|
.writer (csvfile, dialect, ** fmtparams) -> writer object
|
||||||
|
|
||||||
# WRITER METHODS
|
# WRITER METHODS
|
||||||
# row must be iterable of strings or numbers or of dictionaries
|
# row must be iterable of strings or numbers or of dictionaries
|
||||||
.writerow (row) # write row formatted according to the current dialect
|
.writerow (row) # write row formatted according to the current dialect
|
||||||
.writerows (rows) # write all elements in rows formatted according to the current dialect. rows is iterable of row
|
.writerows (rows) # write all elements in rows formatted according to the current dialect. rows is iterable of row
|
||||||
|
|
||||||
# CSV METHODS
|
# CSV METHODS
|
||||||
# associate dialect to name (name must be string)
|
# associate dialect to name (name must be string)
|
||||||
.register_dialect (name, dialect, ** fmtparams)
|
.register_dialect (name, dialect, ** fmtparams)
|
||||||
|
|
||||||
# delete the dialect associated with name
|
# delete the dialect associated with name
|
||||||
.unregister_dialect ()
|
.unregister_dialect ()
|
||||||
|
|
||||||
# returns the dialect associated with name
|
# returns the dialect associated with name
|
||||||
.get_dialect (name)
|
.get_dialect (name)
|
||||||
|
|
||||||
# list of dialects associated with name
|
# list of dialects associated with name
|
||||||
.list_dialect (name)
|
.list_dialect (name)
|
||||||
|
|
||||||
# returns (if empty) or sets the limit of the csv field
|
# returns (if empty) or sets the limit of the csv field
|
||||||
.field_size_limit (new_limit)
|
.field_size_limit (new_limit)
|
||||||
|
|
||||||
'''
|
'''
|
||||||
csvfile - iterable object returning a string on each __next __ () call
|
csvfile - iterable object returning a string on each __next __ () call
|
||||||
if csv is a file it must be opened with newline = '' (universal newline)
|
if csv is a file it must be opened with newline = '' (universal newline)
|
||||||
dialect - specify the dialect of csv (Excel, ...) (OPTIONAL)
|
dialect - specify the dialect of csv (Excel, ...) (OPTIONAL)
|
||||||
|
|
||||||
fmtparams --override formatting parameters (OPTIONAL) https://docs.python.org/3/library/csv.html#csv-fmt-params
|
fmtparams --override formatting parameters (OPTIONAL) https://docs.python.org/3/library/csv.html#csv-fmt-params
|
||||||
'''
|
'''
|
||||||
|
|
||||||
# object operating as a reader but maps the info in each row into an OrderedDict whose keys are optional and passed through fieldnames
|
# object operating as a reader but maps the info in each row into an OrderedDict whose keys are optional and passed through fieldnames
|
||||||
class csv.Dictreader (f, fieldnames = None, restket = none, restval = None, dialect, * args, ** kwargs)
|
class csv.Dictreader (f, fieldnames = None, restket = none, restval = None, dialect, * args, ** kwargs)
|
||||||
'''
|
'''
|
||||||
f - files to read
|
f - files to read
|
||||||
fieldnames --sequence, defines the names of the csv fields. if omitted use the first line of f
|
fieldnames --sequence, defines the names of the csv fields. if omitted use the first line of f
|
||||||
restval, restkey --se len (row)> fieldnames excess data stored in restval and restkey
|
restval, restkey --se len (row)> fieldnames excess data stored in restval and restkey
|
||||||
|
|
||||||
additional parameters passed to the underlying reader instance
|
additional parameters passed to the underlying reader instance
|
||||||
'''
|
'''
|
||||||
|
|
||||||
class csv.DictWriter (f, fieldnames, restval = '', extrasaction, dialect, * args, ** kwargs)
|
class csv.DictWriter (f, fieldnames, restval = '', extrasaction, dialect, * args, ** kwargs)
|
||||||
'''
|
'''
|
||||||
f - files to read
|
f - files to read
|
||||||
fieldnames --sequence, defines the names of the csv fields. (NECESSARY)
|
fieldnames --sequence, defines the names of the csv fields. (NECESSARY)
|
||||||
restval --se len (row)> fieldnames excess data stored in restval and restkey
|
restval --se len (row)> fieldnames excess data stored in restval and restkey
|
||||||
extrasaction - if the dictionary passed to writerow () contains key not present in fieldnames extrasaction decides action to be taken (raise cause valueError, ignore ignores additional keys)
|
extrasaction - if the dictionary passed to writerow () contains key not present in fieldnames extrasaction decides action to be taken (raise cause valueError, ignore ignores additional keys)
|
||||||
|
|
||||||
additional parameters passed to the underlying writer instance
|
additional parameters passed to the underlying writer instance
|
||||||
'''
|
'''
|
||||||
|
|
||||||
# DICTREADER METHODS
|
# DICTREADER METHODS
|
||||||
.writeheader () # write a header line of fields as specified by fieldnames
|
.writeheader () # write a header line of fields as specified by fieldnames
|
||||||
|
|
||||||
# class used to infer the format of the CSV
|
# class used to infer the format of the CSV
|
||||||
class csv.Sniffer
|
class csv.Sniffer
|
||||||
.sniff (sample, delimiters = None) #parse the sample and return a Dialect class. delimiter is a sequence of possible box delimiters
|
.sniff (sample, delimiters = None) #parse the sample and return a Dialect class. delimiter is a sequence of possible box delimiters
|
||||||
.has_header (sample) -> bool # True if first row is a series of column headings
|
.has_header (sample) -> bool # True if first row is a series of column headings
|
||||||
|
|
||||||
#CONSTANTS
|
#CONSTANTS
|
||||||
csv.QUOTE_ALL # instructs writer to quote ("") all fields
|
csv.QUOTE_ALL # instructs writer to quote ("") all fields
|
||||||
csv.QUOTE_MINIMAL # instructs write to quote only fields containing special characters such as delimiter, quote char ...
|
csv.QUOTE_MINIMAL # instructs write to quote only fields containing special characters such as delimiter, quote char ...
|
||||||
csv.QUOTE_NONNUMERIC # instructs the writer to quote all non-numeric fields
|
csv.QUOTE_NONNUMERIC # instructs the writer to quote all non-numeric fields
|
||||||
csv.QUOTE_NONE # instructs write to never quote fields
|
csv.QUOTE_NONE # instructs write to never quote fields
|
||||||
```
|
```
|
||||||
|
|
|
@ -1,72 +1,72 @@
|
||||||
# Itertools Module
|
# Itertools Module
|
||||||
|
|
||||||
``` py
|
``` py
|
||||||
# accumulate ([1,2,3,4,5]) -> 1, 3 (1 + 2), 6 (1 + 2 + 3), 10 (1 + 2 + 3 + 6), 15 (1+ 2 + 3 + 4 + 5)
|
# accumulate ([1,2,3,4,5]) -> 1, 3 (1 + 2), 6 (1 + 2 + 3), 10 (1 + 2 + 3 + 6), 15 (1+ 2 + 3 + 4 + 5)
|
||||||
# accumulate (iter, func (,)) -> iter [0], func (iter [0] + iter [1]) + func (prev + iter [2]), ...
|
# accumulate (iter, func (,)) -> iter [0], func (iter [0] + iter [1]) + func (prev + iter [2]), ...
|
||||||
accumulate (iterable, func (_, _))
|
accumulate (iterable, func (_, _))
|
||||||
|
|
||||||
# iterator returns elements from the first iterable,
|
# iterator returns elements from the first iterable,
|
||||||
# then proceeds to the next until the end of the iterables
|
# then proceeds to the next until the end of the iterables
|
||||||
# does not work if there is only one iterable
|
# does not work if there is only one iterable
|
||||||
chain (* iterable)
|
chain (* iterable)
|
||||||
|
|
||||||
# concatenates elements of the single iterable even if it contains sequences
|
# concatenates elements of the single iterable even if it contains sequences
|
||||||
chain.from_iterable (iterable)
|
chain.from_iterable (iterable)
|
||||||
|
|
||||||
# returns sequences of length r starting from the iterable
|
# returns sequences of length r starting from the iterable
|
||||||
# items treated as unique based on their value
|
# items treated as unique based on their value
|
||||||
combinations (iterable, r)
|
combinations (iterable, r)
|
||||||
|
|
||||||
# # returns sequences of length r starting from the iterable allowing the repetition of the elements
|
# # returns sequences of length r starting from the iterable allowing the repetition of the elements
|
||||||
combinations_with_replacement (iterable, r)
|
combinations_with_replacement (iterable, r)
|
||||||
|
|
||||||
# iterator filters date elements returning only those that have
|
# iterator filters date elements returning only those that have
|
||||||
# a corresponding element in selectors that is true
|
# a corresponding element in selectors that is true
|
||||||
compress (data, selectors)
|
compress (data, selectors)
|
||||||
|
|
||||||
count (start, step)
|
count (start, step)
|
||||||
|
|
||||||
# iterator returning values in infinite sequence
|
# iterator returning values in infinite sequence
|
||||||
cycle (iterable)
|
cycle (iterable)
|
||||||
|
|
||||||
# iterator discards elements of the iterable as long as the predicate is true
|
# iterator discards elements of the iterable as long as the predicate is true
|
||||||
dropwhile (predicate, iterable)
|
dropwhile (predicate, iterable)
|
||||||
|
|
||||||
# iterator returning values if predicate is false
|
# iterator returning values if predicate is false
|
||||||
filterfalse (predicate, iterable)
|
filterfalse (predicate, iterable)
|
||||||
|
|
||||||
# iterator returns tuple (key, group)
|
# iterator returns tuple (key, group)
|
||||||
# key is the grouping criterion
|
# key is the grouping criterion
|
||||||
# group is a generator returning group members
|
# group is a generator returning group members
|
||||||
groupby (iterable, key = None)
|
groupby (iterable, key = None)
|
||||||
|
|
||||||
# iterator returns slices of the iterable
|
# iterator returns slices of the iterable
|
||||||
isslice (iterable, stop)
|
isslice (iterable, stop)
|
||||||
isslice (iterable, start, stop, step)
|
isslice (iterable, start, stop, step)
|
||||||
|
|
||||||
# returns all permutations of length r of the iterable
|
# returns all permutations of length r of the iterable
|
||||||
permutations (iterable, r = None)
|
permutations (iterable, r = None)
|
||||||
|
|
||||||
# Cartesian product of iterables
|
# Cartesian product of iterables
|
||||||
# loops iterables in order of input
|
# loops iterables in order of input
|
||||||
# [product ('ABCD', 'xy') -> Ax Ay Bx By Cx Cy Dx Dy]
|
# [product ('ABCD', 'xy') -> Ax Ay Bx By Cx Cy Dx Dy]
|
||||||
# [product ('ABCD', repeat = 2) -> AA AB AC AD BA BB BC BD CA CB CC CD DA DB DC DD]
|
# [product ('ABCD', repeat = 2) -> AA AB AC AD BA BB BC BD CA CB CC CD DA DB DC DD]
|
||||||
product (* iterable, repetitions = 1)
|
product (* iterable, repetitions = 1)
|
||||||
|
|
||||||
# returns an object infinite times if repetition is not specified
|
# returns an object infinite times if repetition is not specified
|
||||||
repeat (object, repetitions)
|
repeat (object, repetitions)
|
||||||
|
|
||||||
# iterator compute func (iterable)
|
# iterator compute func (iterable)
|
||||||
# used if iterable is pre-zipped sequence (seq of tuples grouping elements)
|
# used if iterable is pre-zipped sequence (seq of tuples grouping elements)
|
||||||
starmap (func, iterable)
|
starmap (func, iterable)
|
||||||
|
|
||||||
# iterator returning values from iterable as long as predicate is true
|
# iterator returning values from iterable as long as predicate is true
|
||||||
takewhile (predicate, iterable)
|
takewhile (predicate, iterable)
|
||||||
|
|
||||||
# returns n independent iterators from the single iterable
|
# returns n independent iterators from the single iterable
|
||||||
tee (iterable, n = 2)
|
tee (iterable, n = 2)
|
||||||
|
|
||||||
# produces an iterator that aggregates elements from each iterable
|
# produces an iterator that aggregates elements from each iterable
|
||||||
# if the iterables have different lengths the missing values are filled according to fillervalue
|
# if the iterables have different lengths the missing values are filled according to fillervalue
|
||||||
zip_longest (* iterable, fillvalue = None)
|
zip_longest (* iterable, fillvalue = None)
|
||||||
```
|
```
|
||||||
|
|
|
@ -1,64 +1,64 @@
|
||||||
# Time & Datetime
|
# Time & Datetime
|
||||||
|
|
||||||
## Time
|
## Time
|
||||||
|
|
||||||
```py
|
```py
|
||||||
# epoch: elapsed time in seconds (in UNIX starts from 01-010-1970)
|
# epoch: elapsed time in seconds (in UNIX starts from 01-010-1970)
|
||||||
import time # UNIX time
|
import time # UNIX time
|
||||||
variable = time.time () # returns the time (in seconds) elapsed since 01-01-1970
|
variable = time.time () # returns the time (in seconds) elapsed since 01-01-1970
|
||||||
variable = time.ctime (epochseconds) # transform epoch into date
|
variable = time.ctime (epochseconds) # transform epoch into date
|
||||||
|
|
||||||
var = time.perf_counter () # returns the current running time
|
var = time.perf_counter () # returns the current running time
|
||||||
# execution time = start time - end time
|
# execution time = start time - end time
|
||||||
```
|
```
|
||||||
|
|
||||||
### time.srtfrime() format
|
### time.srtfrime() format
|
||||||
|
|
||||||
| Format | Data |
|
| Format | Data |
|
||||||
|--------|------------------------------------------------------------------------------------------------------------|
|
|--------|------------------------------------------------------------------------------------------------------------|
|
||||||
| `%a` | Locale's abbreviated weekday name. |
|
| `%a` | Locale's abbreviated weekday name. |
|
||||||
| `%A` | Locale's full weekday name. |
|
| `%A` | Locale's full weekday name. |
|
||||||
| `%b` | Locale's abbreviated month name. |
|
| `%b` | Locale's abbreviated month name. |
|
||||||
| `%B` | Locale's full month name. |
|
| `%B` | Locale's full month name. |
|
||||||
| `%c` | Locale's appropriate date and time representation. |
|
| `%c` | Locale's appropriate date and time representation. |
|
||||||
| `%d` | Day of the month as a decimal number `[01,31]`. |
|
| `%d` | Day of the month as a decimal number `[01,31]`. |
|
||||||
| `%H` | Hour (24-hour clock) as a decimal number `[00,23]`. |
|
| `%H` | Hour (24-hour clock) as a decimal number `[00,23]`. |
|
||||||
| `%I` | Hour (12-hour clock) as a decimal number `[01,12]`. |
|
| `%I` | Hour (12-hour clock) as a decimal number `[01,12]`. |
|
||||||
| `%j` | Day of the year as a decimal number `[001,366]`. |
|
| `%j` | Day of the year as a decimal number `[001,366]`. |
|
||||||
| `%m` | Month as a decimal number `[01,12]`. |
|
| `%m` | Month as a decimal number `[01,12]`. |
|
||||||
| `%M` | Minute as a decimal number `[00,59]`. |
|
| `%M` | Minute as a decimal number `[00,59]`. |
|
||||||
| `%p` | Locale's equivalent of either AM or PM. |
|
| `%p` | Locale's equivalent of either AM or PM. |
|
||||||
| `%S` | Second as a decimal number `[00,61]`. |
|
| `%S` | Second as a decimal number `[00,61]`. |
|
||||||
| `%U` | Week number of the year (Sunday as the first day of the week) as a decimal number `[00,53]`. |
|
| `%U` | Week number of the year (Sunday as the first day of the week) as a decimal number `[00,53]`. |
|
||||||
| `%w` | Weekday as a decimal number `[0(Sunday),6]`. |
|
| `%w` | Weekday as a decimal number `[0(Sunday),6]`. |
|
||||||
| `%W` | Week number of the year (Monday as the first day of the week) as a decimal number `[00,53]`. |
|
| `%W` | Week number of the year (Monday as the first day of the week) as a decimal number `[00,53]`. |
|
||||||
| `%x` | Locale's appropriate date representation. |
|
| `%x` | Locale's appropriate date representation. |
|
||||||
| `%X` | Locale's appropriate time representation. |
|
| `%X` | Locale's appropriate time representation. |
|
||||||
| `%y` | Year without century as a decimal number `[00,99]`. |
|
| `%y` | Year without century as a decimal number `[00,99]`. |
|
||||||
| `%Y` | Year with century as a decimal number. |
|
| `%Y` | Year with century as a decimal number. |
|
||||||
| `%z` | Time zone offset indicating a positive or negative time difference from UTC/GMT of the form +HHMM or -HHMM |
|
| `%z` | Time zone offset indicating a positive or negative time difference from UTC/GMT of the form +HHMM or -HHMM |
|
||||||
| `%Z` | Time zone name (no characters if no time zone exists). |
|
| `%Z` | Time zone name (no characters if no time zone exists). |
|
||||||
| `%%` | A literal `%` character. |
|
| `%%` | A literal `%` character. |
|
||||||
|
|
||||||
## Datetime
|
## Datetime
|
||||||
|
|
||||||
```py
|
```py
|
||||||
import datetime
|
import datetime
|
||||||
today = datetime.date.today () # returns current date
|
today = datetime.date.today () # returns current date
|
||||||
today = datetime.datetime.today () # returns the current date and time
|
today = datetime.datetime.today () # returns the current date and time
|
||||||
|
|
||||||
# formatting example
|
# formatting example
|
||||||
print ('Current Date: {} - {} - {}' .format (today.day, today.month, today.year))
|
print ('Current Date: {} - {} - {}' .format (today.day, today.month, today.year))
|
||||||
print ('Current Time: {}: {}. {}' .format (today.hour, today.minute, today.second))
|
print ('Current Time: {}: {}. {}' .format (today.hour, today.minute, today.second))
|
||||||
|
|
||||||
var_1 = datetime.date (year, month, day) # create date object
|
var_1 = datetime.date (year, month, day) # create date object
|
||||||
var_2 = datetime.time (hour, minute, second, micro-second) # create time object
|
var_2 = datetime.time (hour, minute, second, micro-second) # create time object
|
||||||
dt = datetime.combine (var_1, var_2) # combine date and time objects into one object
|
dt = datetime.combine (var_1, var_2) # combine date and time objects into one object
|
||||||
|
|
||||||
date_1 = datetime.date ('year', 'month', 'day')
|
date_1 = datetime.date ('year', 'month', 'day')
|
||||||
date_2 = date_1.replace (year = 'new_year')
|
date_2 = date_1.replace (year = 'new_year')
|
||||||
|
|
||||||
#DATETIME ARITHMETIC
|
#DATETIME ARITHMETIC
|
||||||
date_1 - date_2 # -> datetime.timedelta (num_of_days)
|
date_1 - date_2 # -> datetime.timedelta (num_of_days)
|
||||||
datetime.timedelta # duration expressing the difference between two date, time or datetime objects
|
datetime.timedelta # duration expressing the difference between two date, time or datetime objects
|
||||||
```
|
```
|
||||||
|
|
File diff suppressed because it is too large
Load diff
Loading…
Add table
Reference in a new issue