让我们考虑使用TypeScript创建一个React Hooks应用程序的Todolist版本。
部件
项目结构如下:
├──src
| ├──零件
| ├──index.html
| ├──index.tsx
├──的package.json
├──tsconfig.json
├──webpack.config.json
Package.json文件:
TypeScript, typescript, ts-loader, tsx- js-, React — @types/react @types/react-dom. html-webpack-plugin, dev- index.html — , production- .
{
"name": "todo-react-typescript",
"version": "1.0.0",
"description": "",
"main": "index.tsx",
"scripts": {
"start": "webpack-dev-server --port 3000 --mode development --open --hot",
"build": "webpack --mode production"
},
"author": "",
"license": "ISC",
"devDependencies": {
"ts-loader": "^5.2.1",
"html-webpack-plugin": "^3.2.0",
"typescript": "^3.8.2",
"webpack": "^4.41.6",
"webpack-cli": "^3.3.11",
"webpack-dev-server": "^3.10.3"
},
"dependencies": {
"@types/react": "^16.9.23",
"@types/react-dom": "^16.9.5",
"react": "^16.12.0",
"react-dom": "^16.12.0"
}
}
TypeScript, typescript, ts-loader, tsx- js-, React — @types/react @types/react-dom. html-webpack-plugin, dev- index.html — , production- .
Tsconfig.json文件:
«jsx» . 3 : «preserve», «react» «react-native».
{
"compilerOptions": {
"sourceMap": true,
"noImplicitAny": false,
"module": "commonjs",
"target": "es6",
"lib": [
"es2015",
"es2017",
"dom"
],
"removeComments": true,
"allowSyntheticDefaultImports": false,
"jsx": "react",
"allowJs": true,
"baseUrl": "./",
"paths": {
"components/*": [
"src/components/*"
]
}
}
}
«jsx» . 3 : «preserve», «react» «react-native».
Webpack.config.json文件:
— ./src/index.tsx. resolve.extensions ts/tsx/js . ts-loader html-webpack-plugin. .
const path = require('path');
const HtmlWebpackPlugin = require('html-webpack-plugin');
module.exports = {
entry: './src/index.tsx',
resolve: {
extensions: ['.ts', '.tsx', '.js']
},
output: {
path: path.join(__dirname, '/dist'),
filename: 'bundle.min.js'
},
module: {
rules: [
{
test: /\.ts(x?)$/,
exclude: /node_modules/,
use: [
{
loader: "ts-loader"
}
]
}
]
},
plugins: [
new HtmlWebpackPlugin({
template: './src/index.html'
})
]
};
— ./src/index.tsx. resolve.extensions ts/tsx/js . ts-loader html-webpack-plugin. .
发展
在index.html文件中,我们编写了将呈现应用程序的容器:
<div id="root"></div>
在components目录中,创建第一个空组件App.tsx。
Index.tsx文件:
import * as React from 'react';
import * as ReactDOM from 'react-dom';
import App from "./components/App";
ReactDOM.render (
<App/>,
document.getElementById("root")
);
Todolist应用程序将具有以下功能:
- 添加任务
- 删除任务
- 更改任务状态(完成/未完成)
它看起来像这样:输入的文本字段+“添加任务”按钮,下面是已添加任务的列表。您可以删除任务并更改其状态。
为此,您可以将应用程序分为两个部分-创建一个新任务和所有任务的列表。因此,App.tsx在初始阶段将如下所示:
import * as React from 'react';
import NewTask from "./NewTask";
import TasksList from "./TasksList";
const App = () => {
return (
<>
<NewTask />
<TasksList />
</>
)
}
export default App;
在当前目录中创建并导出空的NewTask和TasksList组件。由于我们需要确保它们之间的关系,因此我们需要确定这将如何发生。React中组件之间的通信有两种方法:
- 将应用程序及其所有方法的当前状态存储在父组件(在我们的示例中为App.tsx)中,并通过prop将其传递给子组件(经典方式);
- 将状态和状态管理方法分开。在这种情况下,应用程序需要使用特殊组件(提供程序)进行包装,并且必须将子组件必需的方法和属性传递给它(使用useContext钩子)。
我们将使用第二种方法,在此示例中,我们将完全丢弃道具。
传递道具时输入TypeScript
* , TypeScript :
React.FC, , ( ) :
const NewTask: React.FC<MyProps> = ({taskName}) => {...
React.FC, , ( ) :
interface MyProps {
taskName: String;
}
useContext
因此,要转移状态,我们将使用useContext挂钩。它允许您获取和修改任何提供程序包装的组件中的数据。
UseContext示例
— name surname, String.
createContext . , TypeScript « » , Partial — .
— person, . , . useContext.
import * as React from 'react';
import {useContext} from "react";
interface Person {
name: String,
surname: String
}
export const PersonContext = React.createContext<Partial<Person>>({});
const PersonWrapper = () => {
const person: Person = {
name: 'Spider',
surname: 'Man'
}
return (
<>
<PersonContext.Provider value={ person }>
<PersonComponent />
</PersonContext.Provider>
</>
)
}
const PersonComponent = () => {
const person = useContext(PersonContext);
return (
<div>
Hello, {person.name} {person.surname}!
</div>
)
}
export default PersonWrapper;
— name surname, String.
createContext . , TypeScript « » , Partial — .
— person, . , . useContext.
useReducer
您还需要useReducer以便更方便地使用状态存储。
有关useReducer的更多信息
useReducer , : , type, — payload. :
useReducer - personReducer, changePerson.
person initialState, changePerson .
CHANGE, , :
import * as React from 'react';
import {useReducer} from "react";
interface PersonState {
name: String,
surname: String
}
interface PersonAction {
type: 'CHANGE',
payload: PersonState
}
const personReducer = (state: PersonState, action: PersonAction): PersonState => {
switch (action.type) {
case 'CHANGE':
return action.payload;
default: throw new Error('Unexpected action');
}
}
const PersonComponent = () => {
const initialState = {
name: 'Unknown',
surname: 'Guest'
}
const [person, changePerson] = useReducer<React.Reducer<PersonState, PersonAction>>(personReducer, initialState);
return (
<div onClick={() => changePerson({type: 'CHANGE', payload: {name: 'Jackie', surname: 'Chan'}})}>
Hello, {person.name} {person.surname}!
</div>
)
}
export default PersonComponent;
useReducer - personReducer, changePerson.
person initialState, changePerson .
CHANGE, , :
case 'CHANGE':
return action.payload;
case 'CLEAR':
return {
name: 'Undefined',
surname: 'Undefined'
};
useContext + useReducer
Redux库的一个有趣替代是可以将上下文与useReducer结合使用。在这种情况下,useReducer钩子的结果-返回状态和用于更新它的函数-将传递给上下文。让我们将这些钩子添加到应用程序中:
import * as React from 'react';
import {useReducer} from "react";
import {Action, State, ContextState} from "../types/stateType";
import NewTask from "./NewTask";
import TasksList from "./TasksList";
//
export const initialState: State = {
newTask: '',
tasks: []
}
// <Partial>
export const ContextApp = React.createContext<Partial<ContextState>>({});
// , Action type payload, - State
export const todoReducer = (state: State, action: Action):State => {
switch (action.type) {
case ActionType.ADD: {
return {...state, tasks: [...state.tasks, {
name: action.payload,
isDone: false
}]}
}
case ActionType.CHANGE: {
return {...state, newTask: action.payload}
}
case ActionType.REMOVE: {
return {...state, tasks: [...state.tasks.filter(task => task !== action.payload)]}
}
case ActionType.TOGGLE: {
return {...state, tasks: [...state.tasks.map((task) => (task !== action.payload ? task : {...task, isDone: !task.isDone}))]}
}
default: throw new Error('Unexpected action');
}
};
const App: React.FC = () => {
// todoReducer, useReduser. initialState, (changeState) .
const [state, changeState] = useReducer<React.Reducer<State, Action>>(todoReducer, initialState);
const ContextState: ContextState = {
state,
changeState
};
// useReducer -
return (
<>
<ContextApp.Provider value={ContextState}>
<NewTask />
<TasksList />
</ContextApp.Provider>
</>
)
}
export default App;
结果,我们设法使状态独立于根组件,该根组件可以在提供程序内的组件中被接收和更改。
打字稿。向应用程序添加类型
在stateType文件中,我们为应用程序编写TypeScript类型:
import {Dispatch} from "react";
//
export type Task = {
name: string;
isDone: boolean
}
export type Tasks = Task[];
// ,
export type State = {
newTask: string;
tasks: Tasks
}
//
export enum ActionType {
ADD = 'ADD',
CHANGE = 'CHANGE',
REMOVE = 'REMOVE',
TOGGLE = 'TOGGLE'
}
// ADD CHANGE
type ActionStringPayload = {
type: ActionType.ADD | ActionType.CHANGE,
payload: string
}
// TOGGLE REMOVE Task
type ActionObjectPayload = {
type: ActionType.TOGGLE | ActionType.REMOVE,
payload: Task
}
//
export type Action = ActionStringPayload | ActionObjectPayload;
// -, Action. Dispatch react
export type ContextState = {
state: State;
changeState: Dispatch<Action>
}
使用上下文
状态现在准备就绪,可以在组件中使用。让我们从NewTask.tsx开始:
import * as React from 'react';
import {useContext} from "react";
import {ContextApp} from "./App";
import {TaskName} from "../types/taskType";
import {ActionType} from "../types/stateType";
const NewTask: React.FC = () => {
// state dispatch-
const {state, changeState} = useContext(ContextApp);
// todoReducer - . state . React-
const addTask = (event: React.FormEvent<HTMLFormElement>, task: TaskName) => {
event.preventDefault();
changeState({type: ActionType.ADD, payload: task})
changeState({type: ActionType.CHANGE, payload: ''})
}
// -
const changeTask = (event: React.ChangeEvent<HTMLInputElement>) => {
changeState({type: ActionType.CHANGE, payload: event.target.value})
}
return (
<>
<form onSubmit={(event)=>addTask(event, state.newTask)}>
<input type='text' onChange={(event)=>changeTask(event)} value={state.newTask}/>
<button type="submit">Add a task</button>
</form>
</>
)
};
export default NewTask;
TasksList.tsx:
import * as React from 'react';
import {Task} from "../types/taskType";
import {ActionType} from "../types/stateType";
import {useContext} from "react";
import {ContextApp} from "./App";
const TasksList: React.FC = () => {
// ( changeState)
const {state, changeState} = useContext(ContextApp);
const removeTask = (taskForRemoving: Task) => {
changeState({type: ActionType.REMOVE, payload: taskForRemoving})
}
const toggleReadiness = (taskForChange: Task) => {
changeState({type: ActionType.TOGGLE, payload: taskForChange})
}
return (
<>
<ul>
{state.tasks.map((task,i)=>(
<li key={i} className={task.isDone ? 'ready' : null}>
<label>
<input type="checkbox" onChange={()=>toggleReadiness(task)} checked={task.isDone}/>
</label>
<div className="task-name">
{task.name}
</div>
<button className='remove-button' onClick={()=>removeTask(task)}>
X
</button>
</li>
))}
</ul>
</>
)
};
export default TasksList;
该应用程序已准备就绪!有待测试。
测试中
对于测试,将使用Jest + Enzyme以及@ testing-library / react。
您需要安装dev依赖项:
"@testing-library/react": "^10.4.3",
"@testing-library/react-hooks": "^3.3.0",
"@types/enzyme": "^3.10.5",
"@types/jest": "^24.9.1",
"enzyme": "^3.11.0",
"enzyme-adapter-react-16": "^1.15.2",
"enzyme-to-json": "^3.3.4",
"jest": "^26.1.0",
"ts-jest": "^26.1.1",
将jest的设置添加到package.json:
"jest": {
"preset": "ts-jest",
"setupFiles": [
"./src/__tests__/setup.ts"
],
"snapshotSerializers": [
"enzyme-to-json/serializer"
],
"testRegex": "/__tests__/.*\\.test.(ts|tsx)$",
"moduleFileExtensions": [
"ts",
"tsx",
"js",
"jsx",
"json",
"node"
]
},
在“脚本”块中,添加用于运行测试的脚本:
"test": "jest"
在src目录中创建一个新的__tests__目录,并在其中创建具有以下内容的setup.ts文件:
import {configure} from 'enzyme';
import * as ReactSixteenAdapter from 'enzyme-adapter-react-16';
const adapter = ReactSixteenAdapter as any;
configure({ adapter: new adapter() });
让我们创建一个文件todoReducer.test.ts,在其中我们将测试reducer:
import {todoReducer} from "../reducers/todoReducer";
import {ActionType, Action, State} from "../types/stateType";
import {Task} from "../types/taskType";
describe('todoReducer',()=>{
it('returns new state for "ADD" type', () => {
//
const initialState: State = {newTask: '', tasks: []};
// 'ADD' 'new task'
const updateAction: Action = {type: ActionType.ADD, payload: 'new task'};
//
const updatedState = todoReducer(initialState, updateAction);
//
expect(updatedState).toEqual({newTask: '', tasks: [{name: 'new task', isDone: false}]});
});
it('returns new state for "REMOVE" type', () => {
const task: Task = {name: 'new task', isDone: false}
const initialState: State = {newTask: '', tasks: [task]};
const updateAction: Action = {type: ActionType.REMOVE, payload: task};
const updatedState = todoReducer(initialState, updateAction);
expect(updatedState).toEqual({newTask: '', tasks: []});
});
it('returns new state for "TOGGLE" type', () => {
const task: Task = {name: 'new task', isDone: false}
const initialState: State = {newTask: '', tasks: [task]};
const updateAction: Action = {type: ActionType.TOGGLE, payload: task};
const updatedState = todoReducer(initialState, updateAction);
expect(updatedState).toEqual({newTask: '', tasks: [{name: 'new task', isDone: true}]});
});
it('returns new state for "CHANGE" type', () => {
const initialState: State = {newTask: '', tasks: []};
const updateAction: Action = {type: ActionType.CHANGE, payload: 'new task'};
const updatedState = todoReducer(initialState, updateAction);
expect(updatedState).toEqual({newTask: 'new task', tasks: []});
});
})
要测试reducer,将当前状态和操作传递给它,然后捕获其执行结果就足够了。
与reducer相比,测试App.tsx组件需要使用来自不同库的其他方法。测试文件App.test.tsx:
import * as React from 'react';
import {shallow} from 'enzyme';
import {fireEvent, render, cleanup} from "@testing-library/react";
import App from "../components/App";
describe('<App />', () => {
// jest- afterEach cleanup
afterEach(cleanup);
it('hasn`t got changes', () => {
// shallow enzyme -, .
const component = shallow(<App />);
// . . snapshots -u: jest -u
expect(component).toMatchSnapshot();
});
// ( DOM-), async
it('should render right input value', async () => {
// render() @testing-library/react" shallow() , DOM- . container — div, .
const { container } = render(<App/>);
expect(container.querySelector('input').getAttribute('value')).toEqual('');
// 'test'
fireEvent.change(container.querySelector('input'), {
target: {
value: 'test'
},
})
// 'test'
expect(container.querySelector('input').getAttribute('value')).toEqual('test');
// .
fireEvent.click(container.querySelector('button'))
// value
expect(container.querySelector('input').getAttribute('value')).toEqual('');
});
})
在TasksList组件中,检查通过状态是否正确显示。TasksList.test.tsx文件:
import * as React from 'react';
import {ContextApp, initialState} from "../components/App";
import {shallow} from "enzyme";
import {cleanup, render} from "@testing-library/react";
import TasksList from "../components/TasksList";
import {State} from "../types/stateType";
describe('<TasksList />',() => {
afterEach(cleanup);
//
const testState: State = {
newTask: '',
tasks: [{name: 'test', isDone: false}, {name: 'test2', isDone: false}]
}
// ContextApp
const Wrapper = () => {
return (
<ContextApp.Provider value={{state: testState}}>
<TasksList/>
</ContextApp.Provider>
)
}
it('should render right tasks length', async () => {
const {container} = render(<Wrapper/>);
//
expect(container.querySelectorAll('li')).toHaveLength(testState.tasks.length);
});
})
通过检查输入元素的值,可以对NewTask组件进行newTask字段的类似检查。
该项目可以从GitHub存储库下载。
就这样,谢谢您的关注。
资源资源
React JS。挂钩
使用React挂钩和TypeScript