React
基础语法
技术特点
非技术方面
- 由facebook来维护和更新,它是大量优秀程序员的思想结晶;
- react hooks是开创性的新功能;
- vue composition api学习react hooks的思想;
技术方面
- 声明式---它允许只需要维护自己的状态,当状态改变时,React 可以根据最新的状态去渲染 UI 界面
- 组件化开发---复杂页面拆分成一个个小组件
- 跨平台---Web、ReactNative(或 Flutter)、ReactVR
三个开发依赖
react 开发必须需要3 个库:
- react---包含 react 所必须的核心代码
- react-dom---react 渲染在不同平台所需要的核心代码
- babel---将jsx转换成浏览器识别的代码的工具
为什么需要 react-dom 这个库呢?
- web 端:react-dom 会将jsx最终渲染成真实 DOM,显示在浏览器中
- native 端:react-dom 会将jsx最终渲染成原生的控件,比如 android 和 ios 的按钮
babel 和 react 的关系
- 可以使用React.createElement来编写 js 代码,但是非常繁琐,且可读性差;
- 而jsx(JavaScript XML)的语法可以克服以上缺点;
- 但浏览器不能识别jsx这种高级语法,需要babel进行转换成普通 js;
hello 案例
<div id="root"></div>
<script
crossorigin
src="https://unpkg.com/react@18/umd/react.development.js"
></script>
<script
crossorigin
src="https://unpkg.com/react-dom@18/umd/react-dom.development.js"
></script>
<!-- babel -->
<script src="https://unpkg.com/babel-standalone@6/babel.min.js"></script>
// script要写上type属性,需要转化代码
// React18以前
// ReactDOM.render(<h2>Hello World</h2>, document.querySelector('#root'))
// 18之后
const root = ReactDOM.createRoot(document.querySelector('#root'))
// 1.文本定义成变量
let msg = 'Hello World'
// 2.监听按钮的点击
function btnClick() {
// 2.1修改数据
msg = 'React'
// 2.2重新渲染界面
rootRender()
))
}
rootRender()
// 3.封装一个渲染函数
function rootRender() {
root.render((
<div>
<h2>{msg}</h2>
<button onClick={btnClick}>修改文本</button>
</div>
))
}
jsx
jsx 是一种 JavaScript 的语法拓展(eXtension),很多地方称之为 JavaScript XML,因为看起来就是一段 XML 语法;
它用于描述 UI 界面,并且其可以完成和 JavaScript 融合在一起使 用;
它不同于 Vue 中的模板语法,不需要学习模板语法中的一些指令(比如 v-for、v-if、v-else、v-bind);
class App extends React.Component {
// 组件数据
constructor() {
super();
this.state = {
counter: 0,
};
}
// 方法
// 渲染内容 render方法
render() {
const { counter } = this.state;
const msg = <h2>当前计数:{counter}</h2>;
return msg;
}
}
// 创建root并渲染App组件
const root = ReactDOM.createRoot(document.querySelector("#root"));
root.render(<App />);
为什么 React 选择 JSX 而不是像 vue 一样搞一个模板语法?
react 认为渲染逻辑本质上与其它 UI 逻辑存在内在耦合;
- 比如UI 需要绑定事件;
- 比如UI 中需要展示状态;
- 比如在某些状态发生改变时,又需要改变 UI;
书写规范
- 顶层只能有一个根元素, 所以很多时候外层包裹一个 div(或Fragment);
- 为了方便阅读,通常在最外层包一个小括号;
- 单标签必须以/>结尾;
- 注释写法
{ /* 注释 */ }
class App extends React.Component {
// 组件数据
constructor() {
super();
this.state = {
counter: 0,
};
}
// 方法
// 渲染内容 render方法
render() {
{
/* 注释 */
}
const { counter } = this.state;
const msg = <h2>当前计数:{counter}</h2>;
return msg;
}
}
// 创建root并渲染App组件
const root = ReactDOM.createRoot(document.querySelector("#root"));
root.render(<App />);
嵌入内容
插入变量为子元素时
- 若是Number、String、Array类型时,可以直接显示;
- 若是null、undefined、Boolean类型时,内容为空,要想显示需要转换为字符串;
- object 对象类型不能作为子元素(not valid as a react child)
插入表达式时
类似插值表达式
- 运算表达式
- 三元运算符
- 执行一个函数
绑定属性
- class 绑定尽量使用className,因为在 jsx 中 class 是关键字(有警告);
- 有动态类可以使用字符串拼接、数组动态添加、第三方库classnames等等;
- 绑定 style 属性:绑定对象类型;
constructor() {
super()
this.state = {
title: 'hhh',
isActive: true
}
}
// 方法
// 渲染内容 render方法
render() {
const { title, isActive } = this.state
// 1.class绑定写法一:字符串拼接
const className = `abc cba ${isActive ? 'active' : ''}`
// 2.class绑定写法二:将所有的class放数组中
const classList = ['abc', 'cba']
if(isActive) classList.push('active')
return (
<div>
<h2 title={title} className={className}>123</h2>
<h2 className={classList.join(' ')}>123</h2>
<h2 style={{color: "red", fontSize: "30px"}}>ggg</h2>
</div>
)
}
事件绑定
原生 DOM 有个监听事件,可以如何操作?
- 获取节点,添加监听事件
- 节点上绑定 onxxx
在 React 中是如何操作的呢?
- 事件命名采用小驼峰(camelCase);
- 通过****传入事件处理函数,这函数会在事件发生时被执行;
this 的绑定问题
- 主动修改 this 指向,显式绑定
- es6 class yields
- 直接传入箭头函数
方法在哪里定义?
class App extends React.Component {
// 组件数据
constructor() {
super();
this.state = {
msg: "hello",
};
}
// 组件方法
btnClick() {
console.log(this); // undefined
}
// 渲染内容 render方法
render() {
return (
<div>
<h2>{this.state.msg}</h2>
<button onClick={this.btnClick}>修改文本</button>
</div>
);
}
}
const root = ReactDOM.createRoot(document.querySelector("#root"));
root.render(<App />);
onClick={this.btnClick}
等效于
const click = this.btnClick;
click();
由于类中代码会使用严格模式,独立调用的函数中this 指向 undefined
**如何将 this 指向当前对象实例?**显式绑定
class App extends React.Component {
// 组件数据
constructor() {
super();
this.state = {
msg: "hello",
};
}
// 组件方法
btnClick() {
console.log(this); // undefined
}
// 渲染内容 render方法
render() {
return (
<div>
<h2>{this.state.msg}</h2>
<button onClick={this.btnClick.bind(this)}>修改文本</button>
</div>
);
}
}
const root = ReactDOM.createRoot(document.querySelector("#root"));
root.render(<App />);
render 函数中的 this 指向的便是当前对象的实例
onClick={this.btnClick.bind(this)}
等效于
const click = this.btnClick.bind(this);
click();
综上,
class App extends React.Component {
// 组件数据
constructor() {
super();
this.state = {
msg: "hello",
};
}
// 组件方法
btnClick() {
this.setState({
msg: "React",
});
}
// 渲染内容 render方法
render() {
return (
<div>
<h2>{this.state.msg}</h2>
<button onClick={this.btnClick.bind(this)}>修改文本</button>
</div>
);
}
}
const root = ReactDOM.createRoot(document.querySelector("#root"));
root.render(<App />);
还可以这样修改 this,提前在constructor里修改 this 指向,这样使用时会方便一点,不用每次都要写 bind
class App extends React.Component {
// 组件数据
constructor() {
super();
this.state = {
msg: "hello",
};
this.btnClick = this.btnClick.bind(this);
}
// 组件方法
btnClick() {
this.setState({
msg: "React",
});
}
// 渲染内容 render方法
render() {
return (
<div>
<h2>{this.state.msg}</h2>
<button onClick={this.btnClick}>修改文本</button>
</div>
);
}
}
const root = ReactDOM.createRoot(document.querySelector("#root"));
root.render(<App />);
setState()来自哪里呢?
继承自React.Component,其内部完成了两件事:
- 将state中指定的值修改掉(这里是 msg);
- 自动重新执行 render函数;
es6 class yields 方式
// 利用es6的class yields语法,类中也可以给成员赋值
btnClick = () => {
console.log(this) // 当前对象实例
}
// 渲染内容 render方法
render() {
const { btnClick } = this
return (
<div>
<button onClick={btnClick}></button>
</div>
)
}
直 接传入箭头函数
-
当事件触发时,会调用该箭头函数;
-
而该箭头函数里面又可以调用一个函数;
btnClick = () => {
console.log(this) // 当前对象实例
}
// 渲染内容 render方法
render() {
const { btnClick } = this
return (
<div>
<button onClick={() => btnClick()}></button>
</div>
)
}
参数传递问题
虽然bind那种方式也可以传递参数,但是会有参数顺序的问题;
所以使用箭头函数好一点;
// 利用es6的class yields语法,类中也可以给成员赋值
btnClick = (event, name, age) => {
console.log(event) // 当前对象实例
console.log(name)
console.log(age)
}
// 渲染内容 render方法
render() {
const { btnClick } = this
return (
<div>
<button onClick={(e) => btnClick(e, 'zsf', 18)}></button>
</div>
)
}
条件渲染
- 条件判断语句(逻辑较多的情况)
- 三元运算符(简单逻辑)
- 与运算符&&(条件成立渲染某个组件,不成立什么也不渲染)
jsx 转化 js 本质
每遇到一个标签,就会调用React.createElement(type, config, ...children)
参数type:
- 若是标签元素,使用字符串,如 ’div‘;
- 若是组件元素,使用组件名,如 login;
参数config:
- 所有 jsx 中的属性都在 config 中以键值对的形式存在,比如className 属性;
参数children:
- 存放在元素中的内容,以children 数组的方式进行存储;
复制一段 jsx 代码去 babel 官网转化
jsx
<div>
<h2>{this.state.msg}</h2>
<button onClick={this.btnClick}>修改文本</button>
</div>
js
"use strict";
/*#__pure__*/ React.createElement(
"div",
null,
/*#__pure__*/ React.createElement("h2", null, (void 0).state.msg),
/*#__pure__*/ React.createElement(
"button",
{ onClick: (void 0).btnClick },
"\u4FEE\u6539\u6587\u672C"
)
);
其中
/*#__pure__*/
pure 是**“纯”的意思,表示后面的函数是纯函数**;
由于纯函数没有副作用(不会影响其它作用域的内容),在用不上的时候,tree shaking时可以放心摇掉;
虚拟 DOM
通过 React.createElement 最终创建出来一个ReactElement对象;
一个个 ReactElement 对象组成JavaScript 对象树;
这个对象树就是虚拟 DOM;
虚拟 DOM 有什么作用?
- 可以快速进行diff算法,更新节点;
- 它只是 js 对象,渲染成什么真实节点由平台决定,跨平台;
- 声明式编程,你只需要告诉 React 希望 UI 是什么状态,不需要直接进行 DOM 操作,从手动修改 DOM、属性操作、事件处理中解放出来
协调
可以通过ReactDOM.render让虚拟 DOM 和真实 DOM 的同步起来,这个过程叫协调;
列表案例
// 组件数据
constructor() {
super()
this.state = {
list: [1, 2, 3, 4],
currentIndex: 0
}
}
//
btnClick = (index) => {
this.setState({
currentIndex: index
})
}
// 渲染内容 render方法
render() {
const { list, currentIndex } = this.state
const { btnClick } = this
return (
<div>
<ul>
{
list.map((item, index) => {
return (
<li
className={currentIndex === index ? 'active' : ''}
key={item}
onClick={() => btnClick(index)}
>
{item}
</li>
)
})
}
</ul>
</div>
)
}
计数器案例
class App extends React.Component {
// 组件数据
constructor() {
super();
this.state = {
counter: 0,
};
this.increment = this.increment.bind(this);
this.decrement = this.decrement.bind(this);
}
// 方法
increment() {
this.setState({
counter: this.state.counter + 1,
});
}
decrement() {
this.setState({
counter: this.state.counter - 1,
});
}
// 渲染内容 render方法
render() {
const { counter } = this.state;
const { increment, decrement } = this;
return (
<div>
<h2>当前计数:{counter}</h2>
<button onClick={increment}>+</button>
<button onClick={decrement}>-</button>
</div>
);
}
}
const root = ReactDOM.createRoot(document.querySelector("#root"));
root.render(<App />);
购物车案例
数据源
const books = [
{
id: 1,
name: "《算法导论》",
date: "2006-9",
price: 85.0,
count: 1,
},
{
id: 2,
name: "《UNIX编程艺术》",
date: "2006-2",
price: 59.0,
count: 1,
},
{
id: 3,
name: "《编程珠玑》",
date: "2008-10",
price: 39.0,
count: 1,
},
{
id: 4,
name: "《代码大全》",
date: "2006-3",
price: 128.0,
count: 1,
},
];
组件数据
// 组件数据
constructor() {
super()
this.state = {
books: books
}
}
组件方法
// 总价
getTotalPrice() {
return this.state.books.reduce((preValue, item) => preValue + item.count * item.price, 0)
}
// 增加/减少
changeCount(index, count) {
// react不推荐直接修改state中的数据,推荐做法是浅拷贝
const newBooks = [...this.state.books]
newBooks[index].count += count
// 修改state,重新执行render函数
this.setState({ books: newBooks })
}
// 删除一条数据
removeItem(index) {
const newBooks = [...this.state.books]
newBooks.splice(index, 1)
// 修改state,重新执行render函数
this.setState({ books: newBooks })
}
渲染函数
// 有书时的渲染内容
renderBookList() {
const { books } = this.state
return (
<div>
<table>
<thead>
<tr>
<th>序号</th>
<th>书籍名称</th>
<th>出版日期</th>
<th>价格</th>
<th>购买数量</th>
<th>操作</th>
</tr>
</thead>
<tbody>
{
books.map((item, index) => {
return (
<tr key={index}>
<td>{index + 1}</td>
<td>{item.name}</td>
<td>{item.date}</td>
<td>{'¥' + item.price.toFixed(2)}</td>
<td>
<button
disabled={item.count <= 1}
onClick={() => this.changeCount(index, -1)}
>
-
</button>
{item.count}
<button onClick={() => this.changeCount(index, 1)}>+</button>
</td>
<td>
<button onClick={() => this.removeItem(index)}>删除</button>
</td>
</tr>
)
})
}
</tbody>
</table>
<h2>总价格:{'¥' + this.getTotalPrice().toFixed(2)}</h2>
</div>
)
}
// 无书时的渲染内容
renderBookEmpty() {
return <div><h2>购物车为空,请添加书籍</h2></div>
}
// 渲染内容 render方法
render() {
const { books } = this.state
return books.length ? this.renderBookList() : this.renderBookEmpty()
}
组件化开发
根据定义方式,可分为
- 函数组件
- 类组件
根据内部是否有状态需要维护,可分为
- 无状态组件
- 有状态组件
根据职责,可分为
- 展示型组件
- 容器型组件
类组件
- 定义一个类(类名大写,组件名称必须是大写,小写会被认为是 html 元素),继承自 React.Component;
- constructor可选,通常初始化一些数据;
- this.state中维护组件 内部数据;
- class 中必须实现render 方法(render 当中返回的jsx 内容,就是之后 React 会帮助我们渲染的内容);
render 函数的返回值
- react元素(通过 jsx 写的代码,组件也算 react 元素)
- **数组 **(会遍历数组元素并显示)或 fragments
- portals:可以渲染子节点到不同的 DOM 子树中
- 字符串或数值类型,在 DOM 中会被渲染为文本节点
- 布尔类型或null:什么都不渲染
数据
组件中的数据,可以分成 2 类:
- 参与界面更新的数据:当数据变化时,需要更新组件渲染的内容
- 不参与界面更新的数据:反之
参与界面更新的数据也可以称之为参与数据流,这些数据定义在当前对象的 state中;
可以通过在构造函数中this.state = {数据}
;
当数据发生变化时,可以调用this.setState来更新数据,并且通知 React 进行 update 操作;
update 操作时,就会重新调用 render 函数,并使用最新的数据,来渲染界面;
class App extends React.Component {
// 组件数据
constructor() {
super();
this.state = {
msg: "hello",
};
}
// 组件方法
// 渲染内容 render方法
render() {
return (
<div>
<h2>{this.state.msg}</h2>
<button>修改文本</button>
</div>
);
}
}
const root = ReactDOM.createRoot(document.querySelector("#root"));
root.render(<App />);
函数式组件
返回值和类组件 render 函数返回值一样
特点(hooks 出现之前)
- 无生命周期,也会被更新并挂载,但是没有生命周期函数;
- this不能指向组件实例,因为没有组件实例;
- 没有内部状态;
function App() {
return <h2>123</h2>;
}
注意
不要在函数组件内定义子组件!
export default function Gallery() {
// 🔴 Never define a component inside another component!
function Profile() {
// ...
}
// ...
}
类似这样,会非常慢和导致 bug!
可以将子组件在文件顶层定义:
export default function Gallery() {
// ...
}
// ✅ Declare components at the top level
function Profile() {
// ...
}
生命周期
从创建到销毁的过程,叫生命周期;
- 装载阶段(Mount),组件第一次在 DOM 树被渲染的过程;
- 更新过程(Update),组件状态或props发生改变,重新更新渲染的过程;
- 卸载阶段 (Unmount),组件从 DOM 树中被移除的过程;
生命周期函数
React 内部为了告诉我们当前处于哪些阶段,会对组件内部实现某些函数进行回调,这些函数便是生命周期函数:
- 比如实现componentDidMount函数,组件已经挂载到 DOM 上时,就会回调;
- 比如实现componentDidUpdate函数,组件已经发生了更新时,就会回调;
- 比如实现componentWillUnmount函数,组件即将被移除时,就会回调;
谈及 React 的生命周期时,主要是类的生命周期(函数式组件没有生命周期,不过可以通过hooks来模拟一些生命周期函数的回调)
执行顺序
mount阶段:
- 执行类的constructor方法;
- 执行render方法;
- React 更新DOM和Refs;
- 执行componentDidMount方法
update阶段:
- 执行setState方法;
- 执行render方法;
- React 更新DOM和Refs;
- 执行componentDidUpdate方法;
unMount阶段:
- 当组件被卸载,会执行componentWillUnmount方法
操作建议
constructor
若不初始化 state或不进行方法绑定,则不需要 React 组件实现构造函数;
通常只做两件事:
- 初始化 state;
- 为事件绑定 this;
componentDidMount
- 依赖于 DOM 的操作
- 发送网络请求(官方建议)
- 添加一些订阅(会在 componentWillUnmount 取消订阅)
componentDidUpdate
- 若对更新前后的props进行了比较,也可以在此处进行网络请求(例如当 props 未发生变化时,不发送网络请求)
componentWillUnmount
- 清除、取消操作
不常用生命周期
shouldComponentUpdate
当该函数返回false时,则不会重新执行 render函数,反之则会;
getSnapshotBeforeUpdate
在 React 更新 DOM 之前回调的一个函数,可以获取DOM 更新前的一些信息,比如滚动位置;
组件通信
父传子
- 父组件通过属性=值的形式来传递给子组件;
- 子组件通过props 参数获取父组件传递过来的数据;
父组件
import React, { Component } from "react";
import Header from "./Header";
class Main extends Component {
constructor() {
super();
this.state = {
list: [1, 2, 3],
};
}
render() {
const { list } = this.state;
return <Header list={list} />;
}
}
子组件
import React, { Component } from "react";
class Header extends Component {
constructor(props) {
super(props);
this.state = {};
}
render() {
const { list } = this.props;
return (
<ul>
{list.map((item) => {
return <li key={item}>{item}</li>;
})}
</ul>
);
}
}
当 constructor 接收的参数 props 传递给 super 时,内部将 props 保存在当前实例中,类似进行了 this.props = props
constructor也可以省略,内部默认进行保存 props 操作;
props 类型限制
对于大型项目来说,传递的数据应该进行类型检查(防止”字符串调用 map“这种错误)
- Flow
- TypeScript
- prop-types 库
从 React15.5 开始,React.PropTypes 已移入另一个包中:prop-types 库
import React, { Component } from "react";
import PropsTypes from "prop-types";
class Header extends Component {
constructor(props) {
super(props);
this.state = {};
}
render() {
const { list } = this.props;
return (
<ul>
{list.map((item) => {
return <li key={item}>{item}</li>;
})}
</ul>
);
}
}
Header.propsTypes = {
list: PropsTypes.array.isRequired,
};
通过组件实例的propsTypes 属性,设置了 list 是数组类型且是必传的 props
若非必传,可以是设置默认值(可以避免 undefined 问题)
Header.propsTypes = {
list: PropsTypes.array.isRequired,
};
Header.defaultProps = {
list: [],
};
可以限制的类型有
- array
- bool
- func
- number
- object
- string
- symbol
- node
- element
子传父
子组件如何向父组件传递消息?
- 在 vue 中是通过自定义事件来完成;
- 在 react 中同样通过props传递消息,只是让父组件给子组件传递一个回调函数,在子组件中调用这回调函数;
父组件 main.jsx
import React, { Component } from "react";
import Header from "./Header";
class Main extends Component {
constructor() {
super();
this.state = {
counter: 100,
};
}
changeCount(count) {
this.setState({
counter: this.state.counter + count,
});
}
render() {
const { counter } = this.state;
return (
<div>
<h2>当前计数:{counter}</h2>
<Header addClick={(count) => this.changeCount(count)} />
</div>
);
}
}
子组件 header.jsx
import React, { Component } from "react";
class Header extends Component {
add(count) {
this.props.addClick(count);
}
render() {
const { add } = this;
return (
<div>
<button onClick={(e) => add(1)}>+1</button>
</div>
);
}
}
当子组件的按钮点击之后,会调用父组件传过来的props 中的 addClick();
从而通知父组件去调用changeCount(),去修改父组件的数据;
案例
父组件 App.jsx
import React from "react";
import TabControl from "./TabControl";
class App extends React.Component {
constructor() {
super();
this.state = {
titles: ["流行", "新品", "精选"],
tabIndex: 0,
};
}
changeTab(index) {
this.setState({
tabIndex: index,
});
}
render() {
const { titles, tabIndex } = this.state;
return (
<div>
<TabControl
titles={titles}
tabClick={(index) => this.changeTab(index)}
/>
<h1>{titles[tabIndex]}</h1>
</div>
);
}
}
子组件 TabControl.jsx
import React, { Component } from "react";
import "./style.css";
class TabControl extends Component {
constructor(props) {
super(props);
this.state = {
currentIndex: 0,
};
}
itemClick(index) {
this.setState({
currentIndex: index,
});
this.props.tabClick(index);
}
render() {
const { titles } = this.props;
const { currentIndex } = this.state;
return (
<div className="tab-control">
{titles.map((item, index) => {
return (
<div
className={`item ${index === currentIndex ? "active" : ""}`}
key={item}
onClick={() => this.itemClick(index)}
>
<span className="text">{item}</span>
</div>
);
})}
</div>
);
}
}
style.css
.tab-control {
display: flex;
height: 40px;
text-align: center;
}
.tab-control .item {
flex: 1;
}
.tab-control .item.active {
color: red;
}
.tab-control .item.active .text {
padding: 3px;
border-bottom: 3px solid red;
}
非父子
如果两组件传递数据跨层级比较多,一层层传递非常麻烦;
react 提供了一个 API:Context;
Context 提供了一种组件间共享某些数据的方案,比如当前认证得用户、主题或首选语言;
context 的基本使用
React.createContext 参数有个defaultValue,如果不是后代组件关系(兄弟组件),可以从 defaultValue 取到共享的数据
- 使用React.createContext创建出 context(每个 context 对象都会返回一个 Provider 组件,它允许消费组件订阅context 的变化);
- 通过context 的 Provider 中的 value属性为后代提供希望共享的数据;
- 后代设置contextType为指定 context(可以多个 context);
- 然后可以获取到那些数据了;
context.js
import React from "react";
const ThemeContext = React.createContext();
export default ThemeContext;
App.jsx
import React from "react";
import Home from "./Home";
import ThemeContext from "./context";
class App extends React.Component {
render() {
return (
<div>
<h2>App</h2>
<ThemeContext.Provider value={{ color: "red", size: "30" }}>
<Home></Home>
</ThemeContext.Provider>
</div>
);
}
}
Home.jsx
import React, { Component } from "react";
import HomeInfo from "./HomeInfo";
class Home extends Component {
render() {
return (
<div>
<h2>Home</h2>
<HomeInfo></HomeInfo>
</div>
);
}
}
HomeInfo.jsx
import React, { Component } from "react";
import ThemeContext from "./context";
class HomeInfo extends Component {
render() {
const { color } = this.context;
return (
<div>
<h2>HomeInfo:{color}</h2>
</div>
);
}
}
HomeInfo.contextType = ThemeContext;
函数式组件共享 context
在类组件中可以使用this拿到 context;
而函数式组件中 this 拿不到,怎么做呢?
context.Consumer也可以订阅到 context 的变更(当组件中需要使用多个 context也可以使用 Consumer);
需要一个函数作为子元素,通过该函数的参数 value传递当前的 context;
import ThemeContext from "./context";
function HomeBannar() {
return (
<div>
<h2>HomeBannar</h2>
<ThemeContext.Consumer>
{(value) => {
return <h2>{value.color}</h2>;
}}
</ThemeContext.Consumer>
</div>
);
}
事件总线 EventBus
context 实现跨组件传递数据只能从根开始,要是需要兄弟组件之间传递呢?事件总线
先安装相关的库,比如 event-bus
event-bus.js
import { HYEventBus } from "hy-event-store";
const eventBus = new HYEventBus();
export default eventBus;
然后发射事件
import eventBus from './event-bus'
...
preClick() {
eventBus.emit('bannerPrev', 10)
}
render() {
return (
<div>
<h2>HomeBanner</h2>
<button onClick={e => this.preClick()}>上一个</button>
</div>
)
}
在组件挂载完成后,可以监听事件
import eventBus from './event-bus'
...
componentDidMount() {
eventBus.on('bannerPrev', (val) => {
console.log(val)
})
}
在组件销毁后,要移除事件监听;
方便在eventBus.off()传递函数,在eventBus.on()传递的函数应该抽离成单独的函数;
import eventBus from "./event-bus"
...
componentDidMount() {
eventBus.on('bannerPrev', this.bannerPrevClick)
}
bannerPrevClick(val) {
console.log(val)
}
componentWillUnmount() {
eventBus.off('bannerPrev', this.bannerPrevClick)
}
然而还有个问题:bannerPrevClick在运行时找不到 this(当前组件实例),这样就无法调用 setState()
可以将bannerPrevClick定义成箭头函数,或者显示绑定
import eventBus from "./event-bus"
...
componentDidMount() {
eventBus.on('bannerPrev', this.bannerPrevClick)
}
bannerPrevClick = (val) => {
console.log(val)
}
componentWillUnmount() {
eventBus.off('bannerPrev', this.bannerPrevClick)
}
或
import eventBus from "./event-bus"
...
componentDidMount() {
eventBus.on('bannerPrev', this.bannerPrevClick)
}
bannerPrevClick(val) {
console.log(val)
}
componentWillUnmount () {
eventBus.off('bannerPrev', this.bannerPrevClick)
}
实现插槽方案
react 中有两种实现插槽的方式:
- 组件的children子元素;
- props 属性传递React元素;
props 的children 属性
- props 中有一个children属性,是个数组,存放着多个子元素;
- 若只有一个子元素,则 children 不是数组,而是该子元素本身(缺点);
父元素
class App extends Component {
render() {
return (
<div>
<NavBar>
<button>按钮</button>
<h2>标题</h2>
<i>斜体文字</i>
</NavBar>
</div>
);
}
}
子元素
class NavBar extends Component {
render() {
const { children } = this.props;
return (
<div className="nav-bar">
<div className="left">{children[0]}</div>
<div className="center">{children[1]}</div>
<div className="right">{children[2]}</div>
</div>
);
}
}
通过 children 子元素实现插槽效果,还有个缺点,就是需要索引精准匹配;
props 传递 React 子元素
父元素
render () {
return (
<div>
<NavBar
leftSlot={<button>按钮</button>}
centerSlot={<h2>标题</h2>}
rightSlot={<i>斜体文字</i>}
/>
</div>
)
}
子元素
render () {
const { leftSlot, centerSlot, rightSlot } = this.props
return (
<div className='nav-bar'>
<div className="left">{leftSlot}</div>
<div className="center">{centerSlot}</div>
<div className="right">{rightSlot}</div>
</div>
)
}
作用域插槽
希望复用某个组件;
但是该组件展示数据的方式可能不符合预期;
而父组件希望能决定数据的每一项该以什么样的方式展示;
这时候就可以使用作用域插槽啦
**如何取到这每一项呢?**通过函数
父组件
constructor() {
super()
this.state = {
titles: ['流行', '新品', '精选'],
tabIndex: 0
}
}
changeTab (index) {
this.setState({
tabIndex: index
})
}
render () {
const { titles, tabIndex } = this.state
return (
<div>
<TabControl
titles={titles}
tabClick={(index) => this.changeTab(index)}
itemType={(item) => <button>{item}</button>}
/>
<h1>{titles[tabIndex]}</h1>
</div>
)
}
子组件
constructor(props) {
super(props)
this.state = {
currentIndex: 0
}
emClick (index) {
this.setState({
currentIndex: index
})
this.props.tabClick(index)
nder () {
const { titles, itemType } = this.props
const { currentIndex } = this.state
return (
<div className='tab-control'>
{
titles.map((item, index) => {
return (
<div
className={`item ${index === currentIndex ? 'active' : ''}`}
key={item}
onClick={() => this.itemClick(index)}
>
{itemType(item)}
</div>
)
})
}
</div>
)
在父组件中,使用TabControl 组件时增加一个 props(itemType);
itemType 的值是一个函数,这个函数决定每一项数据在子组件中的展示方式;
而子组件通过props,可以调用这个函数,并且通过参数,可以传递每一项数据交给父组件;
setState
为什么使用它
修改了 state 之后,希望 React 根据最新的 state来重新渲染界面,但是 React 不知道数据发生了变化;
React 并没有数据劫持,而 Vue2 使用Object.defineProperty或者 Vue3 使用Proxy来监听数据的变化;
需要通过 setState 来告知 React,数据发生了变化;
用法
用法 1:传入一个对象
setState({
msg: 1,
});
内部调用Object.assign(this.state, newState),这个对象会和 state合并,将指定属性的值覆盖
用法 2:传入一个回调函数
这个函数返回一个对象
setState(() => {
return {
msg: 1,
};
});
这种方式和传入一个对象类似,那这种方式有什么好处呢?
1)可以编写对新 state 的处理逻辑,内聚性更强
2)当前回调函数可以传递之前的 state 和 props
用法 3:传入第二参数(callback)
setState 在 React 的事件处理中是一个异步调用,不会立即完成,也不会阻塞其它代码;
如果希望数据合并之后进行一些逻辑处理,就可以在第二个参数传入一个回调函数;
this.state = {
msg: 0,
name: 'hhh'
}
...
setState({ msg: 1 }, () => {
console.log(this.state.msg)// 1
})
console.log(this.state.msg)// 0
为什么设计成异步
1)可以显著提升性能
- 若每次调用 setState 都进行一次更新,意味着 render 函数会被频繁调用,界面重新渲染,这样效率是很低的;
- 最好的办法应该是获取到多个更新,之后进行批量更新,只执行一次 render 函数;
2)若同步更新了 state,但还没有执行 render 函数,那 state 和 props 不能保持同步
而 React18 之前,有些情况 setState 是同步的
- setTimeout
- 原生 dom 事件
如果想把 setState 变成同步,立即拿到最新 state,可以使用flushSync(),这个函数在react-dom中;
flushSync(() => {
this.setState({
msg: "123",
});
});
console.log(this.state.msg);
React 性能优化
React 在state或props发生改变时,会调用 React 的 render 方法,创建出一棵新的树;
如果一棵树参考另外一棵树进行完全比较更新,那时间复杂度将是O(n²);
这开销会有点大,于是 React 进行了优化,将其优化成了O(n):
- 只会同层节点比较,不会跨节点比较;
- 不同类型的节点,产生不同的树结构;
- 开发中,可以通过key来指定哪些节点在不同的渲染下保持稳定;
shouldComponentUpdate
当一个组件的 render 函数被执行,那这个组件的那些子组件的 render 函数也会被执行;
如果那些子组件的 state 或者 props 并没有发生改变,那重新执行 render 函数是多余的、浪费性能的;
它们调用 render 函数应该有个前提:依赖的数据(state、props)发生改变时,再调用自己的 render 函数;
如何控制 render 函数是否被调用:通过一个生命周期shouldComponentUpdate方法,很多时候简称SCU;
该方法有两个参数:
- 1)nextProps,修改之后的 props
- 2)nextState,修改之后的 state
例如,在一个组件中
shouldComponentUpdate(nextProps, nextState) {
if (this.state.msg !== nextState.msg) return true
return false
}
只有 msg 发生改变才会重新执行它的 render 函数
可是,如果每个组件都要这样判断,那未免也太麻烦了
这时候 React 给我我们提供了PureComponent
PureComponent
若当前组件是类组件,可以继承 PureComponent;
对于 props 和 state 的判断,内部已经帮我做了,所以 render 函数就会根据需要来重新执行了;
不过,内部的比较是浅层的,使用shallowEqual();
后续开发类组件基本都是继承 PureComponent
import { PureComponent } from 'react'
class App extends PureComponent {
...
render () {
return (
<div>
<h2>App</h2>
</div>
)
}
}
memo
类组件才有生命周期shouldComponentUpdate,那函数式组件如何判断 props 是否发生改变呢?
使用 react 中的memo
import { memo } from "react";
const Home = memo(function (props) {
return <h2>home: {props.msg}</h2>;
});
export default Home;
数据不可变的力量
看个例子
import React from "react";
class App extends React.Component {
constructor() {
super();
this.state = {
books: [
{ name: "你不知道的js", price: 99, count: 1 },
{ name: "js高级程序设计", price: 88, count: 1 },
{ name: "React高级程序设计", price: 78, count: 2 },
],
};
}
addBooks() {
const newBooks = { name: "Vue高级程序设计", price: 66, count: 2 };
this.state.books.push(newBooks);
this.setState({ books: this.state.books });
}
render() {
const { books } = this.state;
return (
<div>
<h2>数据列表</h2>
<ul>
{books.map((item, index) => {
return (
<li key={index}>
<span>
name:{item.name}-price:{item.price}-counter:{item.count}
</span>
<button>+1</button>
</li>
);
})}
</ul>
<button onClick={(e) => this.addBooks()}>添加书籍</button>
</div>
);
}
}
单独看 addBooks
addBooks() {
const newBooks = { name: 'Vue高级程序设计', price: 66, count: 2 }
this.state.books.push(newBooks)
this.setState({ books: this.state.books })
}
这里修改 state 中的 books 方法是直接修改,虽然也能成功,但是 React 不推荐!为什么呢?
如果将这类组件继承 PureComponent而不是 Component,那这种方法修改不成功;
而继承 PureComponent 的类组件内部会判断修改前后的 state 是否发生变化,并且是浅层的比较,从而决定是否重新执行 render 函数;
而这浅层的比较只是比较到 books 这一层(内存地址)是否变化,并没有比较 books 里面的内容;
这种浅层比较,导致内部判断 state 没有发生变化(实际 books 内容已经变了),而不会重新执行 render函数;
应该写成这样(组件先改成继承 PureComponent)
addBooks () {
const newBooks = { name: 'Vue高级程序设计', price: 66, count: 2 }
const books = [...this.state.books]
books.push(newBooks)
this.setState({ books: books })
}
重新创建的books 和 state 中 books 的内存地址不一样,内部判断 state 发生了变化,所以会重新执行 render 函数;
ref
获取原生 dom
- 在 React 元素上绑定一个 ref 字符串
- 提前创建 ref 对象(通过 current 取到),createRef(),将创建出来的对象绑定到 React 元素(推荐)
- 传入一个回调函数,在对应的元素被渲染之后,回调函数被执行,并将该元素传入该回调函数
import React, { createRef, PureComponent } from "react";
export class App extends PureComponent {
constructor() {
super();
this.titleRef = createRef();
this.titleEl = null;
}
getDOM() {
// 1.在React元素上绑定一个ref字符串
console.log(this.refs.zsf); // 已废弃
// 2.提前创建ref对象(通过current取到),createRef(),将创建出来的对象绑定到React元素
console.log(this.titleRef.current);
// 3.传入一个回调函数,在对应的元素被渲染之后,回调函数被执行,并将该元素传入该回调函数
console.log(this.titleEl);
}
render() {
return (
<div>
<h2 ref="zsf">App1</h2>
<h2 ref={this.titleRef}>App2</h2>
<h2 ref={(el) => (this.titleEl = el)}>App2</h2>
<button onClick={(e) => this.getDOM()}>获取DOM</button>
</div>
);
}
}
获取组件实例
对于类组件,和获取原生 dom 类似
constructor() {
super()
this.hRef = createRef()
}
getDOM () {
console.log(this.hRef.current)
}
render () {
return (
<div>
<Hello ref={this.hRef} />
<button onClick={e => this.getDOM()}>获取DOM</button>
</div>
)
}
而函数式组件没有实例,但是在开发中可能想要获取函数式组件中某个元素的 DOM,如何操作?
直接拿不到,但可以通过 react 提供的一个高阶函数forwordRef,接收一个函数(也就是传入函数式组件);
函数式组件第二个参数是接收一个ref;
在 App 中创建的ref传给函数式组件Hello,而经过forwordRef的转发,可以将其绑定函数式组件某个元素的 DOM;
const Hello = forwardRef(function (props, ref) {
return (
<div>
<h1 ref={ref}>hello</h1>
<p>hhh</p>
</div>
);
});
class App extends PureComponent {
constructor() {
super();
this.hRef = createRef();
}
getDOM() {
console.log(this.titleRef.current);
}
render() {
return (
<div>
<Hello ref={this.hRef} />
<button onClick={(e) => this.getDOM()}>获取DOM</button>
</div>
);
}
}
受控和非受控组件
受控组件
在 HTML 中,表单元素通常会自己维护 state,并根据用户输入进行更新;
表单元素一旦绑定 value 值来自 state 中的属性,那么它就变成了