React: JSX 、虚拟 DOM、组件配置(props、state、PropTypes、createContext、props.children)

文章目录

    • 1. 虚拟 DOM
    • 2. JSX
    • 3. ReactComponent
    • 4. props 是参数
    • 5. PropTypes
    • 6. getDefaultProps() 获取默认 props
    • 7. 上下文
    • 8. 多个上下文
    • 9. state
      • 在setState中使用函数,而不是对象
    • 10. 无状态组件
    • 11. 使用 props.children 与子组件对话

learn from 《React全家桶:前端开发与实例详解》
https://zh-hans.reactjs.org/tutorial/tutorial.html
https://zh-hans.reactjs.org/docs/create-a-new-react-app.html#create-react-app

1. 虚拟 DOM

我们操作虚拟DOM,让 React 负责更改浏览器的 DOM

虚拟 DOM,指的是,表示实际 DOM 的 JavaScript 对象树

开发人员只需要返回需要的 DOM,React 负责转换,且性能有优化,速度很快(高效的差异算法、更新子树、批量更新DOM)

ReactElement 是 虚拟 DOM 中对 DOM 元素的表示

先创建 RE,再 render (RE, 到实际的DOM挂载位置, 回调函数)

2. JSX

JSX 是 JavaScript Syntax Extension

JSX可以很方便的编写 ReactElement(无状态,不可变) 层次结构

babel 插件 可以 将 JSX 转译成 JS

JSX 通常用 () 包含起来,JSX属性 用 {} 包含,
JSX 内部注释 {/* 注释 */}

JSX 使用 className 标识类

JSX 不能使用 for 属性,而是 htmlFor

3. ReactComponent

ReactComponent 是一个 JS 对象,至少有一个 render() 函数,返回一个 ReactElement

4. props 是参数

props 是组件的输入

props 可以传递任何 JS 对象

  • 基本类型、简单 JS 对象
  • 原子操作、函数、React元素、虚拟DOM节点

5. PropTypes

是验证 props 传递的值 的一种方法,属性名 : PropsTypes (string, number, boolean, function, object, array, arrayOf, node, element)

import PropTypes from 'prop-types';
import React from 'react';class DocumentedContainer extends React.Component {static propTypes = {children: PropTypes.oneOf([PropTypes.element, PropTypes.array])};render() {return <div className="container">{this.props.children}</div>;}
}export default DocumentedContainer;

6. getDefaultProps() 获取默认 props

class Counter extends React.Component {static defaultProps = {initialValue: 1}...
}

使用 <Counter /> ,<Counter initialValue={1}/> 两种用法效果一致

7. 上下文

从 React 16.3.0 开始,可以指定通过组件树向下传递的变量,无需手动将变量从父组件传递到子组件

  • React.createContext 只接受一个参数,上下文提供的默认值

相当于 全局公开 的属性

例如网站主题:
theme.js

import React from 'react';export const themes = {light: {foreground: '#222222',background: '#e9e9e9'},dark: {foreground: '#fff',background: '#222222'}
};export const ThemeContext = React.createContext(themes.dark);

在 app 中: ThemeContext.Provider 用于把数据传递给子组件

import React, {Component} from 'react';import {ThemeContext, themes} from './theme';
import './App.css';
import Header from './Header';class App extends Component {state = {theme: themes.dark};changeTheme = evt => {this.setState(state => ({theme: state.theme === themes.dark ? themes.light : themes.dark}));};render() {return (<div className="App"><ThemeContext.Provider value={this.state.theme}><Header /><p className="App-intro">To get started, edit <code>src/App.js</code> and save to reload.</p><button onClick={this.changeTheme}>Change theme</button></ThemeContext.Provider></div>);}
}export default App;

Header.js ThemeContext.Consumer 从 Provider 父组件中获取主题

import React from 'react';
import logo from './logo.svg';import {ThemeContext} from './theme';export const Header = props => (<ThemeContext.Consumer>{theme => (<headerclassName="App-header"style={{backgroundColor: theme.background}}><img src={logo} className="App-logo" alt="logo" /><h1 className="App-title" style={{color: theme.foreground}}>Welcome to React</h1></header>)}</ThemeContext.Consumer>
);export default Header;

8. 多个上下文

user.js

import React from 'react';
export const UserContext = React.createContext(null);

Body.js

import React from 'react';import {ThemeContext} from './theme';
import {UserContext} from './user';export const Body = props => (<ThemeContext.Consumer>{theme => (<headerclassName="App-header"style={{backgroundColor: theme.background}}><UserContext.Consumer><h1>{user => (user ? 'Welcome back' : 'Welcome')}</h1></UserContext.Consumer></header>)}</ThemeContext.Consumer>
);export default Body;

9. state

Switch.css

.active {background-color: #d5fffb;font-weight: bold;
}

支付选项:

import React from "react";
import "../Switch.css";  // 导入样式const CREDITCARD = "Creditcard";
const BTC = "Bitcoin";class Switch extends React.Component {state = {payMethod: BTC // 默认支付选项};select = choice => {return evt => {this.setState({payMethod: choice}); // 返回一个函数};};renderChoice = choice => {// create a set of cssClasses to applyconst cssClasses = ["choice"];  // 样式选项if (this.state.payMethod === choice) {cssClasses.push("active"); // add .active class} // 支付的选项样式,增加一个 active 样式return (<div className={cssClasses.join(" ")} onClick={this.select(choice)}>{choice}  </div>); // 把样式渲染给 choice };render() {return (<div className="switch">{this.renderChoice(CREDITCARD)}{this.renderChoice(BTC)}Pay with: {this.state.payMethod}</div>);}
}export default Switch;

在setState中使用函数,而不是对象

为什么?下面是一个点击减少的按钮

使用对象的方式赋值给 state,如果用户点击过快,计算机非常慢,而 setState 是异步的,如果碰到更高优先级的响应过载,这个减少按钮的点击响应还在队列中等待,那么用户可能点了3次,但是最后数值只减少了1

  • 状态转换依赖于当前状态时,最好使用函数来设置状态,避免这种Bug
  decrement = () => {// Appears correct, but there is a better wayconst nextValue = this.state.value - 1;this.setState({value: nextValue});};

更好的写法如下:

  decrement = () => {this.setState(prevState => {return {value: prevState.value - 1};});};
  • 通常在组件里存的状态越少越好,最好是从外部获取,状态多了,会使得系统的状态是什么样子的变得难以推理
  • 可以使用多个无状态组件构成 一个有状态组件

10. 无状态组件

  • React 中 只需要 render() 方法的组件

无状态组件,它不是一个类,我们不会引用 this
这种函数式组件,性能更好

const Header = function(props) {return (<h1>{props.headerText}</h1>)
}

有状态

export class Header extends React.Component {render() {return (<h1>{this.props.headerText}</h1>);}
}

11. 使用 props.children 与子组件对话

可以使用 this.props.children 引用树中的子组件

import PropTypes from 'prop-types';
import React from 'react';class DocumentedContainer extends React.Component {static propTypes = {children: PropTypes.oneOf([PropTypes.element, PropTypes.array])};render() {return <div className="container">{this.props.children}</div>;}
}export default DocumentedContainer;

处理子组件 :

  • map(),返回调用函数的结果的数组
  • forEach() 不收集结果
import PropTypes from 'prop-types';
import React from 'react';class MultiChildContainer extends React.Component {static propTypes = {component: PropTypes.element.isRequired,children: PropTypes.element.isRequired};renderChild = (childData, index) => {return React.createElement(this.props.component,{}, // <~ child propschildData // <~ child's children);};render() {return (<div className="container">{React.Children.map(this.props.children, this.renderChild)}</div>);}
}export default MultiChildContainer;
  • React.Children.toArray() 函数 转成子元素的数组
import PropTypes from 'prop-types';
import React from 'react';class ArrayContainer extends React.Component {static propTypes = {component: PropTypes.element.isRequired,children: PropTypes.element.isRequired};render() {const arr = React.Children.toArray(this.props.children);return <div className="container">{arr.sort((a, b) => a.id < b.id)}</div>;}
}export default ArrayContainer;

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/470884.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

android客户端在多个界面切换时保持socket的链接的实例

鉴于自己的痛苦&#xff0c;研究一个socket在多个界面切换时保持链接的问题&#xff0c;令我纠结很久&#xff0c;现在我提供客户端的源码给有需要的人参考。 1、ApplicationUtil类&#xff1a; import java.io.DataInputStream; import java.io.DataOutputStream; import java…

六、封装 MyBatis 输出结果resultType、resultMap 以及 数据库表中列名和返回对象属性名不一致的2种解决方案(详解)

1.1 resultType resultType: 执行 sql 得到 ResultSet 转换的类型&#xff0c;使用类型的完全限定名或别名。 注意&#xff1a;如果返回的是集合&#xff0c;那应该设置为集合包含的类型&#xff0c;而不是集合本身。resultType 和 resultMap&#xff0c;不能同时使用。 A、…

API 接口批量测试

ApiPost 创建接口 导入要测试的数据 测试结果 ApiFox 创建接口 导入接口 导入测试数据&#xff0c;可以直接编辑&#xff0c;粘贴进来 测试结果

LeetCode 2342. 数位和相等数对的最大和

文章目录1. 题目2. 解题1. 题目 给你一个下标从 0 开始的数组 nums &#xff0c;数组中的元素都是 正 整数。请你选出两个下标 i 和 j&#xff08;i ! j&#xff09;&#xff0c;且 nums[i] 的数位和 与 nums[j] 的数位和相等。 请你找出所有满足条件的下标 i 和 j &#xff…

软件项目管理-构建之法-四周总结

写在前面 课程名&#xff1a;软件项目管理 授课人&#xff1a;东北师范大学 杨贵福&#xff08; http://www.cnblogs.com/younggift/&#xff09; 教材&#xff1a;《构建之法 - 现代软件工程》 作者&#xff1a;邹欣老师 &#xff08;博客&#xff1a;http://www.cnblogs.com…

一、Vue基础语法学习笔记系列——插值操作(Mustache语法、v-once、v-html、v-text、v-pre、v-cloak)、绑定属性v-bind(绑定class、style)、计算属性

一、插值操作 1. Mustache 如何将data中的文本数据&#xff0c;插入到HTML中呢&#xff1f; 我们已经学习过了&#xff0c;可以通过Mustache语法(也就是双大括号)。 Mustache: 胡子/胡须. 我们可以像下面这样来使用&#xff0c;并且数据是响应式的 2. v-once 但是&#xff0…

LeetCode 2348. 全 0 子数组的数目

文章目录1. 题目2. 解题1. 题目 给你一个整数数组 nums &#xff0c;返回全部为 0 的 子数组 数目。 子数组 是一个数组中一段连续非空元素组成的序列。 示例 1&#xff1a; 输入&#xff1a;nums [1,3,0,0,2,0,0,4] 输出&#xff1a;6 解释&#xff1a; 子数组 [0] 出现了…

二、Vue基础语法学习笔记——事件监听v-on、条件判断(v-if、v-else-if、v-else、v-show)、循环遍历(v-for遍历数组对象,key属性、检测数组更新)、图书案例、双向绑定

四、事件监听 在前端开发中&#xff0c;我们需要经常和用于交互。 这个时候&#xff0c;我们就必须监听用户发生的时间&#xff0c;比如点击、拖拽、键盘事件等等 在Vue中如何监听事件呢&#xff1f;使用v-on指令 v-on介绍 作用&#xff1a;绑定事件监听器 缩写&#xff1a; 预…

HDU4859 海岸线(最小割)

题目大概就是说一个n*m的地图&#xff0c;地图上每一块是陆地或浅海域或深海域&#xff0c;可以填充若干个浅海域使其变为陆地&#xff0c;问能得到的最长的陆地海岸线是多少。 也是很有意思的一道题。 一开始想歪了&#xff0c;想着&#xff0c;不考虑海岸线重合的情况那海岸线…

LeetCode 2352. 相等行列对

文章目录1. 题目2. 解题1. 题目 给你一个下标从 0 开始、大小为 n x n 的整数矩阵 grid &#xff0c;返回满足 Ri 行和 Cj 列相等的行列对 (Ri, Cj) 的数目。 如果行和列以相同的顺序包含相同的元素&#xff08;即相等的数组&#xff09;&#xff0c;则认为二者是相等的。 示…

JAVA电话本系统

package com.sunhang.phonebook; import java.text.ParseException;import java.util.ArrayList;import java.util.List;import java.util.Scanner; public class PhoneBook { //存放联系人的容器 List<Contacts> list new ArrayList<Contacts>(); /** * 增加联系…

三、Vue组件化开发学习笔记——组件化的基本步骤、全局组件和局部组件、父组件和子组件、注册组件的语法糖、模板分离写法、组件的数据存放

一、什么是组件化&#xff1f; 人面对复杂问题的处理方式&#xff1a; 任何一个人处理信息的逻辑能力都是有限的 所以&#xff0c;当面对一个非常复杂的问题时&#xff0c;我们不太可能一次性搞定一大堆的内容。 但是&#xff0c;我们人有一种天生的能力&#xff0c;就是将问题…

LeetCode 2353. 设计食物评分系统(sortedcontainers)

文章目录1. 题目2. 解题1. 题目 设计一个支持下述操作的食物评分系统&#xff1a; 修改 系统中列出的某种食物的评分。返回系统中某一类烹饪方式下评分最高的食物。 实现 FoodRatings 类&#xff1a; FoodRatings(String[] foods, String[] cuisines, int[] ratings) 初始化…

四、Vue组件化开发学习笔记——父子组件通信,父级向子级传值(props),子级向父级传值(自定义事件),slot插槽

一、父子组件的通信 在上一篇博文中&#xff0c;我们提到了子组件是不能引用父组件或者Vue实例的数据的。 但是&#xff0c;在开发中&#xff0c;往往一些数据确实需要从上层传递到下层&#xff1a; 比如在一个页面中&#xff0c;我们从服务器请求到了很多的数据。其中一部分数…

LeetCode 2336. 无限集中的最小数字(SortedSet)

文章目录1. 题目2. 解题1. 题目 现有一个包含所有正整数的集合 [1, 2, 3, 4, 5, …] 。 实现 SmallestInfiniteSet 类&#xff1a; SmallestInfiniteSet() 初始化 SmallestInfiniteSet 对象以包含 所有 正整数。int popSmallest() 移除 并返回该无限集中的最小整数。void ad…

C# - 类_使用新成员隐藏基类成员

1 using System;2 3 namespace 类_使用新成员隐藏基类成员4 {5 // 基类 : Animal6 public class Animal7 {8 // 基类的普通方法Eat(), 并未用Virtual修饰9 public void Eat() 10 { 11 Console.WriteLine("动物吃的方法: …

五、Vue模块化开发学习笔记——JavaScript原始功能、匿名函数的解决方案、使用模块作为出口、CommonJS、ES6 export和import的使用

一、JavaScript原始功能 -在网页开发的早期&#xff0c;js制作作为一种脚本语言&#xff0c;做一些简单的表单验证或动画实现等&#xff0c;那个时候代码还是很少的。 那个时候的代码是怎么写的呢&#xff1f; 直接将代码写在<script>标签中即可 随着ajax异步请求的出现&…

LeetCode 2333. 最小差值平方和(贪心)

文章目录1. 题目2. 解题1. 题目 给你两个下标从 0 开始的整数数组 nums1 和 nums2 &#xff0c;长度为 n 。 数组 nums1 和 nums2 的 差值平方和 定义为所有满足 0 < i < n 的 (nums1[i] - nums2[i])^2 之和。 同时给你两个正整数 k1 和 k2 。你可以将 nums1 中的任意…

[na][tools]快速ping网段工具-QuickPing

一款神器 quickping 能够很快的探测出该网断分出去哪些地址. 在线的会显示绿色 在线的有主机名的显示为亮绿色 转载于:https://www.cnblogs.com/iiiiher/p/5362403.html

六、Webpack详解学习笔记——webpack的安装、起步、配置、loader的使用、webpack中配置Vue、plugin的使用、搭建本地服务器、webpack配置的分离

一、认识webpack 什么是webpack&#xff1f; 这个webpack还真不是一两句话可以说清楚的。我们先看看官方的解释&#xff1a; At its core, webpack is a static module bundler for modern JavaScript applications.从本质上来讲&#xff0c;webpack是一个现代的JavaScript应用…