欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

React入门看这篇就够了

程序员文章站 2022-12-29 19:35:23
摘要: 很多值得了解的细节。 原文: "React入门看这篇就够了" 作者: "Random" "Fundebug" 经授权转载,版权归原作者所有。 React 背景介绍 "React 入门实例教程" React 起源于 Facebook 的内部项目,因为该公司对市场上所有 JavaScript M ......

摘要: 很多值得了解的细节。

fundebug经授权转载,版权归原作者所有。

react 背景介绍

react 起源于 facebook 的内部项目,因为该公司对市场上所有 javascript mvc 框架,都不满意,就决定自己写一套,用来架设 instagram 的网站。做出来以后,发现这套东西很好用,就在2013年5月开源了。

什么是react

  • a javascript library for building user interfaces
    • 用来构建ui的 javascript库
    • react 不是一个 mvc 框架,仅仅是视图(v)层的库
  • react 官网
  • react 中文文档

特点

  • 使用 jsx语法 创建组件,实现组件化开发,为函数式的 ui 编程方式打开了大门
  • 性能高的让人称赞:通过 diff算法虚拟dom 实现视图的高效更新
  • html仅仅是个开始
> jsx --to--> everything

- jsx --> html
- jsx --> native ios或android中的组件(xml)
- jsx --> vr
- jsx --> 物联网

为什么要用react

  • 使用组件化开发方式,符合现代web开发的趋势
  • 技术成熟,社区完善,配件齐全,适用于大型web项目(生态系统健全)
  • 由facebook专门的团队维护,技术支持可靠
  • reactnative - learn once, write anywhere: build mobile apps with react
  • 使用方式简单,性能非常高,支持服务端渲染
  • react非常火,从技术角度,可以满足好奇心,提高技术水平;从职业角度,有利于求职和晋升,有利于参与潜力大的项目

react中的核心概念

  • 虚拟dom(virtual dom)
  • diff算法(虚拟dom的加速器,提升react性能的法宝)

虚拟dom(vitural dom)

react将dom抽象为虚拟dom,虚拟dom其实就是用一个对象来描述dom,通过对比前后两个对象的差异,最终只把变化的部分重新渲染,提高渲染的效率

为什么用虚拟dom,当dom反生更改时需要遍历 而原生dom可遍历属性多大231个 且大部分与渲染无关 更新页面代价太大

vituraldom的处理方式

  1. 用 javascript 对象结构表示 dom 树的结构,然后用这个树构建一个真正的 dom 树,插到文档当中
  2. 当状态变更的时候,重新构造一棵新的对象树。然后用新的树和旧的树进行比较,记录两棵树差异
  3. 把2所记录的差异应用到步骤1所构建的真正的dom树上,视图就更新了

diff算法

当你使用react的时候,在某个时间点 render() 函数创建了一棵react元素树,
在下一个state或者props更新的时候,render() 函数将创建一棵新的react元素树,
react将对比这两棵树的不同之处,计算出如何高效的更新ui(只更新变化的地方)

有一些解决将一棵树转换为另一棵树的最小操作数算法问题的通用方案。然而,树中元素个数为n,最先进的算法 的时间复杂度为o(n3) 。

如果直接使用这个算法,在react中展示1000个元素则需要进行10亿次的比较。这操作太过昂贵,相反,react基于两点假设,实现了一个o(n)算法,提升性能:

react中有两种假定:

  • 两个不同类型的元素会产生不同的树(根元素不同结构树一定不同)
  • 开发者可以通过key属性指定不同树中没有发生改变的子元素

diff算法的说明 - 1

  • 如果两棵树的根元素类型不同,react会销毁旧树,创建新树
// 旧树
<div>
  <counter />
</div>

// 新树
<span>
  <counter />
</span>

执行过程:destory counter -> insert counter

diff算法的说明 - 2

  • 对于类型相同的react dom 元素,react会对比两者的属性是否相同,只更新不同的属性
  • 当处理完这个dom节点,react就会递归处理子节点。
// 旧
<div classname="before" title="stuff" />
// 新
<div classname="after" title="stuff" />
只更新:classname 属性

// 旧
<div style={{color: 'red', fontweight: 'bold'}} />
// 新
<div style={{color: 'green', fontweight: 'bold'}} />
只更新:color属性

diff算法的说明 - 3

  • 1 当在子节点的后面添加一个节点,这时候两棵树的转化工作执行的很好
// 旧
<ul>
  <li>first</li>
  <li>second</li>
</ul>

// 新
<ul>
  <li>first</li>
  <li>second</li>
  <li>third</li>
</ul>

执行过程:
react会匹配新旧两个<li>first</li>,匹配两个<li>second</li>,然后添加 <li>third</li> tree
  • 2 但是如果你在开始位置插入一个元素,那么问题就来了:
// 旧
<ul>
  <li>duke</li>
  <li>villanova</li>
</ul>

// 新
<ul>
  <li>connecticut</li>
  <li>duke</li>
  <li>villanova</li>
</ul>

在没有key属性时执行过程:
react将改变每一个子删除重新创建,而非保持 <li>duke</li> 和 <li>villanova</li> 不变

key 属性

为了解决以上问题,react提供了一个 key 属性。当子节点带有key属性,react会通过key来匹配原始树和后来的树。

// 旧
<ul>
  <li key="2015">duke</li>
  <li key="2016">villanova</li>
</ul>

// 新
<ul>
  <li key="2014">connecticut</li>
  <li key="2015">duke</li>
  <li key="2016">villanova</li>
</ul>
执行过程:
现在 react 知道带有key '2014' 的元素是新的,对于 '2015' 和 '2016' 仅仅移动位置即可 
  • 说明:key属性在react内部使用,但不会传递给你的组件
  • 推荐:在遍历数据时,推荐在组件中使用 key 属性:<li key={item.id}>{item.name}</li>
  • 注意:key只需要保持与他的兄弟节点唯一即可,不需要全局唯一
  • 注意:尽可能的减少数组index作为key,数组中插入元素的等操作时,会使得效率底下

react的基本使用

  • 安装:npm i -s react react-dom
  • react:react 是react库的入口点
  • react-dom:提供了针对dom的方法,比如:把创建的虚拟dom,渲染到页面上
// 1. 导入 react
import react from 'react'
import reactdom from 'react-dom'

// 2. 创建 虚拟dom
// 参数1:元素名称  参数2:元素属性对象(null表示无)  参数3:当前元素的子元素string||createelement() 的返回值
const divvd = react.createelement('div', {
  title: 'hello react'
}, 'hello react!!!')

// 3. 渲染
// 参数1:虚拟dom对象  参数2:dom对象表示渲染到哪个元素内 参数3:回调函数
reactdom.render(divvd, document.getelementbyid('app'))

createelement()的问题

  • 说明:createelement()方式,代码编写不友好,太复杂
var dv = react.createelement(
  "div",
  { classname: "shopping-list" },
  react.createelement(
    "h1",
    null,
    "shopping list for "
  ),
  react.createelement(
    "ul",
    null,
    react.createelement(
      "li",
      null,
      "instagram"
    ),
    react.createelement(
      "li",
      null,
      "whatsapp"
    )
  )
)
// 渲染
reactdom.render(dv, document.getelementbyid('app'))

jsx 的基本使用

  • 注意:jsx语法,最终会被编译为 createelement() 方法
  • 推荐:使用 jsx 的方式创建组件
  • jsx - javascript xml
  • 安装:npm i -d babel-preset-react (依赖与:babel-core/babel-loader)

注意:jsx的语法需要通过 babel-preset-react 编译后,才能被解析执行

/* 1 在 .babelrc 开启babel对 jsx 的转换 */
{
  "presets": [
    "env", "react"
  ]
}

/* 2 webpack.config.js */
module: [
  rules: [
    { test: /\.js$/, use: 'babel-loader', exclude: /node_modules/ },
  ]
]

/* 3 在 js 文件中 使用 jsx */
const dv = (
  <div title="标题" classname="cls container">hello jsx!</div>
)

/* 4 渲染 jsx 到页面中 */
reactdom.render(dv, document.getelementbyid('app'))

jsx的注意点

  • 如果在 jsx 中给元素添加类, 需要使用 classname 代替 class
    • 类似:label 的 for属性,使用htmlfor代替
  • 在 jsx 中可以直接使用 js代码,直接在 jsx 中通过 {} 中间写 js代码即可
  • 在 jsx 中只能使用表达式,但是不能出现 语句!!!
  • 在 jsx 中注释语法:{/* 中间是注释的内容 */}

react组件

react 组件可以让你把ui分割为独立、可复用的片段,并将每一片段视为相互独立的部分。

  • 组件是由一个个的html元素组成的
  • 概念上来讲, 组件就像js中的函数。它们接受用户输入(props),并且返回一个react对象,用来描述展示在页面中的内容

react创建组件的两种方式

  • 通过 js函数 创建(无状态组件)
  • 通过 class 创建(有状态组件)

函数式组件 和 class 组件的使用场景说明:

  • 如果一个组件仅仅是为了展示数据,那么此时就可以使用 函数组件
  • 如果一个组件中有一定业务逻辑,需要操作数据,那么就需要使用 class 创建组件,因为,此时需要使用 state

javascript函数创建组件

  • 注意:1 函数名称必须为大写字母开头,react通过这个特点来判断是不是一个组件
  • 注意:2 函数必须有返回值,返回值可以是:jsx对象或null
  • 注意:3 返回的jsx,必须有一个根元素
  • 注意:4 组件的返回值使用()包裹,避免换行问题
function welcome(props) {
  return (
    // 此处注释的写法 
    <div classname="shopping-list">
      {/* 此处 注释的写法 必须要{}包裹 */}
      <h1>shopping list for {props.name}</h1>
      <ul>
        <li>instagram</li>
        <li>whatsapp</li>
      </ul>
    </div>
  )
}

reactdom.render(
  <welcome name="jack" />,
  document.getelementbyid('app')
)

class创建组件

在es6中class仅仅是一个语法糖,不是真正的类,本质上还是构造函数+原型 实现继承

// es6中class关键字的简单使用

// - **es6中的所有的代码都是运行在严格模式中的**
// - 1 它是用来定义类的,是es6中实现面向对象编程的新方式
// - 2 使用`static`关键字定义静态属性
// - 3 使用`constructor`构造函数,创建实例属性
// - [参考](http://es6.ruanyifeng.com/#docs/class)

// 语法:
class person {
  // 实例的构造函数 constructor
  constructor(age){
    // 实例属性
    this.age = age
  }
  // 在class中定义方法 此处为实例方法 通过实例打点调用
  sayhello () {
    console.log('大家好,我今年' + this.age + '了');
  }

  // 静态方法 通过构造函数打点调用 person.doudou()
  static doudou () {
    console.log('我是小明,我新get了一个技能,会暖床');
  }
}
// 添加静态属性
person.staticname = '静态属性'
// 实例化对象
const p = new person(19)
 
 
// 实现继承的方式
 
class american extends person {
  constructor() {
    // 必须调用super(), super表示父类的构造函数
    super()
    this.skin = 'white'
    this.eyecolor = 'white'
  }
}

// 创建react对象
// 注意:基于 `es6` 中的class,需要配合 `babel` 将代码转化为浏览器识别的es5语法
// 安装:`npm i -d babel-preset-env`
 
//  react对象继承字react.component
class shoppinglist extends react.component {
  constructor(props) { 
    super(props)
  }
  // class创建的组件中 必须有rander方法 且显示return一个react对象或者null
  render() {
    return (
      <div classname="shopping-list">
        <h1>shopping list for {this.props.name}</h1>
        <ul>
          <li>instagram</li>
          <li>whatsapp</li>
        </ul>
      </div>
    )
  }
}

推荐大家使用fundebug,一款很好用的bug监控工具~

给组件传递数据 - 父子组件传递数据

  • 组件中有一个 只读的对象 叫做 props,无法给props添加属性
  • 获取方式:函数参数 props
  • 作用:将传递给组件的属性转化为 props 对象中的属性
function welcome(props){
  // props ---> { username: 'zs', age: 20 }
  return (
    <div>
      <div>welcome react</div>
      <h3>姓名:{props.username}----年龄是:{props.age}</h3>
    </div>
  )
}

// 给 hello组件 传递 props:username 和 age(如果你想要传递numb类型是数据 就需要向下面这样)
reactdom.reander(<hello username="zs" age={20}></hello>, ......)

封装组件到独立的文件中

// 创建hello2.js组件文件
// 1. 引入react模块
// 由于 jsx 编译后会调用 react.createelement 方法,所以在你的 jsx 代码中必须首先拿到react。
import react from 'react'

// 2. 使用function构造函数创建组件
function hello2(props){
  return (
    <div>
      <div>这是hello2组件</div>
      <h1>这是大大的h1标签,我大,我骄傲!!!</h1>
      <h6>这是小小的h6标签,我小,我傲娇!!!</h6>
    </div>
  )
}
// 3. 导出组件
export default hello2

// app.js中   使用组件:
import hello2 from './components/hello2'

props和state

props

  • 作用:给组件传递数据,一般用在父子组件之间
  • 说明:react把传递给组件的属性转化为一个对象并交给 props
  • 特点:props是只读的,无法给props添加或修改属性
  • props.children:获取组件的内容,比如:
    • <hello>组件内容</hello> 中的 组件内容
// props 是一个包含数据的对象参数,不要试图修改 props 参数
// 返回值:react元素
function welcome(props) {
  // 返回的 react元素中必须只有一个根元素
  return <div>hello, {props.name}</div>
}

class welcome extends react.component {
  constructor(props) {
    super(props)
  }

  render() {
    return <h1>hello, {this.props.name}</h1>
  }
}

state

状态即数据

  • 作用:用来给组件提供组件内部使用的数据
  • 注意:只有通过class创建的组件才具有状态
  • 状态是私有的,完全由组件来控制
  • 不要在 state 中添加 render() 方法中不需要的数据,会影响渲染性能!
    • 可以将组件内部使用但是不渲染在视图中的内容,直接添加给 this
  • 不要在 render() 方法中调用 setstate() 方法来修改state的值
    • 但是可以通过 this.state.name = 'rose' 方式设置state(不推荐!!!!)
// 例:
class hello extends react.component {
  constructor() {
    // es6继承必须用super调用父类的constructor
    super()

    this.state = {
      gender: 'male'
    }
  }

  render() {
    return (
      <div>性别:{ this.state.gender }</div>
    )
  }
}

jsx语法转化过程

// 1、jsx
const element = (
  <h1 classname="greeting">
    hello, world!
  </h1>
)

// 2、jsx -> createelement
const element = react.createelement(
  'h1',
  {classname: 'greeting'},
  'hello, world!'
)

// react elements: 使用对象的形式描述页面结构
// note: 这是简化后的对象结构
const element = {
  type: 'h1',
  props: {
    classname: 'greeting',
  },
  children: ['hello, world']
}

评论列表案例

  • 巩固有状态组件和无状态组件的使用
  • 两个组件:<commentlist></commentlist><comment></comment>
[
  { user: '张三', content: '哈哈,沙发' },
  { user: '张三2', content: '哈哈,板凳' },
  { user: '张三3', content: '哈哈,凉席' },
  { user: '张三4', content: '哈哈,砖头' },
  { user: '张三5', content: '哈哈,楼下山炮' }
]

// 属性扩展
<comment {...item} key={i}></comment>

style样式

// 1. 直接写行内样式:
<li style={{border:'1px solid red', fontsize:'12px'}}></li>

// 2. 抽离为对象形式
var styleh3 = {color:'blue'}
var styleobj = {
  listyle:{border:'1px solid red', fontsize:'12px'},
  h3style:{color:'green'}
}

<li style={styleobj.listyle}>
  <h3 style={styleobj.h3style}>评论内容:{props.content}</h3>
</li>

// 3. 使用样式表定义样式:
import '../css/comment.css'
<p classname="puser">评论人:{props.user}</p>

组件的生命周期

  • 简单说:一个组件从开始到最后消亡所经历的各种状态,就是一个组件的生命周期

组件生命周期函数的定义:从组件被创建,到组件挂载到页面上运行,再到页面关闭组件被卸载,这三个阶段总是伴随着组件各种各样的事件,那么这些事件,统称为组件的生命周期函数!

组件生命周期函数总览

  • 组件的生命周期包含三个阶段:创建阶段(mounting)、运行和交互阶段(updating)、卸载阶段(unmounting)
  • mounting:

constructor()
componentwillmount()
render()
componentdidmount()

  • updating

componentwillreceiveprops()
shouldcomponentupdate()
componentwillupdate()
render()
componentdidupdate()

  • unmounting

componentwillunmount()

组件生命周期 - 创建阶段(mounting)

  • 特点:该阶段的函数只执行一次

constructor()

  • 作用:1 获取props 2 初始化state
  • 说明:通过 constructor() 的参数props获取
class greeting extends react.component {
  constructor(props) {
    // 获取 props
    super(props)
    // 初始化 state
    this.state = {
      count: props.initcount
    }
  }
}

// 初始化 props
// 语法:通过静态属性 defaultprops 来初始化props
greeting.defaultprops = {
  initcount: 0
};

componentwillmount()

  • 说明:组件被挂载到页面之前调用,其在render()之前被调用,因此在这方法里同步地设置状态将不会触发重渲染
  • 注意:无法获取页面中的dom对象
  • 注意:可以调用 setstate() 方法来改变状态值
  • 用途:发送ajax请求获取数据
componentwillmount() {
  console.warn(document.getelementbyid('btn')) // null
  this.setstate({
    count: this.state.count + 1
  })
}

render()

  • 作用:渲染组件到页面中,无法获取页面中的dom对象
  • 注意:不要在render方法中调用 setstate() 方法,否则会递归渲染
    • 原因说明:状态改变会重新调用render()render()又重新改变状态
render() {
  console.warn(document.getelementbyid('btn')) // null

  return (
    <div>
      <button id="btn" onclick={this.handleadd}>打豆豆一次</button>
      {
        this.state.count === 4
        ? null
        : <counterchild initcount={this.state.count}></counterchild>
      }
    </div>
  )
}

componentdidmount()

  • 组件已经挂载到页面中
  • 可以进行dom操作,比如:获取到组件内部的dom对象
  • 可以发送请求获取数据
  • 可以通过 setstate() 修改状态的值
  • 注意:在这里修改状态会重新渲染
componentdidmount() {
  // 此时,就可以获取到组件内部的dom对象
  console.warn('componentdidmount', document.getelementbyid('btn'))
}

组件生命周期 - 运行阶段(updating)

  • 特点:该阶段的函数执行多次
  • 说明:每当组件的props或者state改变的时候,都会触发运行阶段的函数

componentwillreceiveprops()

  • 说明:组件接受到新的props前触发这个方法
  • 参数:当前组件props
  • 可以通过 this.props 获取到上一次的值
  • 使用:若你需要响应属性的改变,可以通过对比this.propsnextprops并在该方法中使用this.setstate()处理状态改变
  • 注意:修改state不会触发该方法
componentwillreceiveprops(nextprops) {
  console.warn('componentwillreceiveprops', nextprops)
}

shouldcomponentupdate()

  • 作用:根据这个方法的返回值决定是否重新渲染组件,返回true重新渲染,否则不渲染
  • 优势:通过某个条件渲染组件,降低组件渲染频率,提升组件性能
  • 说明:如果返回值为false,那么,后续render()方法不会被调用
  • 注意:这个方法必须返回布尔值!!!
  • 场景:根据随机数决定是否渲染组件
// - 参数:
//   - 第一个参数:最新属性对象
//   - 第二个参数:最新状态对象
shouldcomponentupdate(nextprops, nextstate) {
  console.warn('shouldcomponentupdate', nextprops, nextstate)

  return nextstate.count % 2 === 0
}

componentwillupdate()

  • 作用:组件将要更新
  • 参数:最新的属性和状态对象
  • 注意:不能修改状态 否则会循环渲染
componentwillupdate(nextprops, nextstate) {
  console.warn('componentwillupdate', nextprops, nextstate)
}

render() 渲染

  • 作用:重新渲染组件,与mounting阶段的render是同一个函数
  • 注意:这个函数能够执行多次,只要组件的属性或状态改变了,这个方法就会重新执行

componentdidupdate()

  • 作用:组件已经被更新
  • 参数:旧的属性和状态对象
componentdidupdate(prevprops, prevstate) {
  console.warn('componentdidupdate', prevprops, prevstate)
}

组件生命周期 - 卸载阶段(unmounting)

  • 组件销毁阶段:组件卸载期间,函数比较单一,只有一个函数,这个函数也有一个显著的特点:组件一辈子只能执行依次!
  • 使用说明:只要组件不再被渲染到页面中,那么这个方法就会被调用( 渲染到页面中 -> 不再渲染到页面中 )

componentwillunmount()

  • 作用:在卸载组件的时候,执行清理工作,比如
    • 清除定时器
    • 清除componentdidmount创建的dom对象

react - createclass(不推荐)

  • react.createclass({}) 方式,创建有状态组件,该方式已经被废弃!!!
  • 通过导入 require('create-react-class'),可以在不适用es6的情况下,创建有状态组件
  • getdefaultprops() 和 getinitialstate() 方法:是 createreactclass() 方式创建组件中的两个函数
  • react without es6
  • react 不适用es6
var createreactclass = require('create-react-class');
var greeting = createreactclass({
  // 初始化 props
  getdefaultprops: function() {
    console.log('getdefaultprops');
    return {
      title: 'basic counter!!!'
    }
  },

  // 初始化 state
  getinitialstate: function() {
    console.log('getinitialstate');
    return {
      count: 0
    }
  },

  render: function() {
    console.log('render');
    return (
      <div>
        <h1>{this.props.title}</h1>
        <div>{this.state.count}</div>
        <input type='button' value='+' onclick={this.handleincrement} />
      </div>
    );
  },

  handleincrement: function() {
    var newcount = this.state.count + 1;
    this.setstate({count: newcount});
  },

  proptypes: {
    title: react.proptypes.string
  }
});

reactdom.render(
  react.createelement(greeting),
  document.getelementbyid('app')
);

state和setstate

  • 注意:使用 setstate() 方法修改状态,状态改变后,react会重新渲染组件
  • 注意:不要直接修改state属性的值,这样不会重新渲染组件!!!
  • 使用:1 初始化state 2 setstate修改state
// 修改state(不推荐使用)
// https://facebook.github.io/react/docs/state-and-lifecycle.html#do-not-modify-state-directly
this.state.test = '这样方式,不会重新渲染组件';
constructor(props) {
  super(props)

  // 正确姿势!!!
  // -------------- 初始化 state --------------
  this.state = {
    count: props.initcount
  }
}

componentwillmount() {
  // -------------- 修改 state 的值 --------------
  // 方式一:
  this.setstate({
    count: this.state.count + 1
  })

  this.setstate({
    count: this.state.count + 1
  }, function(){
    // 由于 setstate() 是异步操作,所以,如果想立即获取修改后的state
    // 需要在回调函数中获取
    // https://doc.react-china.org/docs/react-component.html#setstate
  });

  // 方式二:
  this.setstate(function(prevstate, props) {
    return {
      counter: prevstate.counter + props.increment
    }
  })

  // 或者 - 注意: => 后面需要带有小括号,因为返回的是一个对象
  this.setstate((prevstate, props) => ({
    counter: prevstate.counter + props.increment
  }))
}

推荐大家使用fundebug,一款很好用的bug监控工具~

组件绑定事件

  • 通过react事件机制 onclick 绑定
  • js原生方式绑定(通过 ref 获取元素)
    • 注意:ref 是react提供的一个特殊属性
    • ref的使用说明:

react中的事件机制(推荐)

  • 注意:事件名称采用驼峰命名法
  • 例如:onclick 用来绑定单击事件
<input type="button" value="触发单击事件"
  onclick={this.handlecountadd}
  onmouseenter={this.handlemouseenter}
/>

js原生方式(知道即可)

  • 说明:给元素添加 ref 属性,然后,获取元素绑定事件
// jsx
// 将当前dom的引用赋值给 this.txtinput 属性
<input ref={ input => this.txtinput = input } type="button" value="我是豆豆" />

componentdidmount() {
  // 通过 this.txtinput 属性获取元素绑定事件
  this.txtinput.addeventlistener(() => {
    this.setstate({
      count:this.state.count + 1
    })
  })
}

事件绑定中的this

  • 通过 bind 绑定
  • 通过 箭头函数 绑定

通过bind绑定

  • 原理:bind能够调用函数,改变函数内部this的指向,并返回一个新函数
  • 说明:bind第一个参数为返回函数中this的指向,后面的参数为传给返回函数的参数
// 自定义方法:
handlebtnclick(arg1, arg2) {
  this.setstate({
    msg: '点击事件修改state的值' + arg1 + arg2
  })
}

render() {
  return (
    <div>
      <button onclick={
        // 无参数
        // this.handlebtnclick.bind(this)

        // 有参数
        this.handlebtnclick.bind(this, 'abc', [1, 2])
      }>事件中this的处理</button>
      <h1>{this.state.msg}</h1>
    </div>
  )
}
  • 在构造函数中使用bind
constructor() {
  super()

  this.handlebtnclick = this.handlebtnclick.bind(this)
}

// render() 方法中:
<button onclick={ this.handlebtnclick }>事件中this的处理</button>

通过箭头函数绑定

  • 原理:箭头函数中的this由所处的环境决定,自身不绑定this
<input type="button" value="在构造函数中绑定this并传参" onclick={
  () => { this.handlebtnclick('参数1', '参数2') }
} />

handlebtnclick(arg1, arg2) {
  this.setstate({
    msg: '在构造函数中绑定this并传参' + arg1 + arg2
  });
}

受控组件

在html当中,像input,textareaselect这类表单元素会维持自身状态,并根据用户输入进行更新。
在react中,可变的状态通常保存在组件的state中,并且只能用 setstate() 方法进行更新.
react根据初始状态渲染表单组件,接受用户后续输入,改变表单组件内部的状态。
因此,将那些值由react控制的表单元素称为:受控组件。

  • 受控组件的特点:
    • 1 表单元素
    • 2 由react通过jsx渲染出来
    • 3 由react控制值的改变,也就是说想要改变元素的值,只能通过react提供的方法来修改
  • 注意:只能通过setstate来设置受控组件的值
// 模拟实现文本框数据的双向绑定
<input type="text" value={this.state.msg} onchange={this.handletextchange}/>

// 当文本框内容改变的时候,触发这个事件,重新给state赋值
handletextchange = event => {
  console.log(event.target.value)

  this.setstate({
    msg: event.target.value
  })
}

props校验

  • 作用:通过类型检查,提高程序的稳定性
  • 命令:npm i -s prop-types
  • 使用:给类提供一个静态属性 proptypes(对象),来约束props
// 引入模块
import proptypes from 'prop-types'

// ...以下代码是类的静态属性:
// proptypes 静态属性的名称是固定的!!!
static proptypes = {
  initcount: proptypes.number, // 规定属性的类型
  initage: proptypes.number.isrequired // 规定属性的类型,且规定为必传字段
}

react 单向数据流

  • react 中采用单项数据流
  • 数据流动方向:自上而下,也就是只能由父组件传递到子组件
  • 数据都是由父组件提供的,子组件想要使用数据,都是从父组件中获取的
  • 如果多个组件都要使用某个数据,最好将这部分共享的状态提升至他们最近的父组件当中进行管理

react中的单向数据流动:

  • 数据应该是从上往下流动的,也就是由父组件将数据传递给子组件
  • 数据应该是由父组件提供,子组件要使用数据的时候,直接从子组件中获取

在我们的评论列表案例中:

  • 数据是由commentlist组件(父组件)提供的
  • 子组件 commentitem 负责渲染评论列表,数据是由 父组件提供的
  • 子组件 commentform 负责获取用户输入的评论内容,最终也是把用户名和评论内容传递给了父组件,由父组件负责处理这些数据( 把数据交给 commentitem 由这个组件负责渲染 )

组件通讯

  • 父 -> 子:props
  • 子 -> 父:父组件通过props传递回调函数给子组件,子组件调用函数将数据作为参数传递给父组件
  • 兄弟组件:因为react是单向数据流,因此需要借助父组件进行传递,通过父组件回调函数改变兄弟组件的props
  • react中的状态管理: flux(提出状态管理的思想) -> redux -> mobx
  • vue中的状态管理: vuex
  • 简单来说,就是统一管理了项目中所有的数据,让数据变的可控

context特性

  • 注意:如果不熟悉react中的数据流,不推荐使用这个属性
    • 这是一个实验性的api,在未来的react版本中可能会被更改
  • 作用:跨级传递数据(爷爷给孙子传递数据),避免向下每层手动地传递props
  • 说明:需要配合proptypes类型限制来使用
class grandfather extends react.component {
  // 类型限制(必须),静态属性名称固定
  static childcontexttypes = {
    color: proptypes.string.isrequired
  }

  // 传递给孙子组件的数据
  getchildcontext() {
    return {
      color: 'red'
    }
  }

  render() {
    return (
      <father></father>
    )
  }
}

class child extends react.component {
  // 类型限制,静态属性名字固定
  static contexttypes = {
    color: proptypes.string
  }

  render() {
    return (
      // 从上下文对象中获取爷爷组件传递过来的数据
      <h1 style={{ color: this.context.color }}>爷爷告诉文字是红色的</h1>
    )
  }
}

class father extends react.component {
  render() {
    return (
      <child></child>
    )
  }
}

react-router

基本概念说明

  • router组件本身只是一个容器,真正的路由要通过route组件定义

使用步骤

  • 1 导入路由组件
  • 2 使用 <router></router> 作为根容器,包裹整个应用(jsx)
    • 在整个应用程序中,只需要使用一次
  • 3 使用 <link to="/movie"></link> 作为链接地址,并指定to属性
  • 4 使用 <route path="/" compoent={movie}></route> 展示路由内容
// 1 导入组件
import {
  hashrouter as router,
  link, route
} from 'react-router-dom'

// 2 使用 <router>
<router>

    // 3 设置 link
    <menu.item key="1"><link to="/">首页</link></menu.item>
    <menu.item key="2"><link to="/movie">电影</link></menu.item>
    <menu.item key="3"><link to="/about">关于</link></menu.item>

    // 4 设置 route
    // exact 表示:绝对匹配(完全匹配,只匹配:/)
    <route exact path="/" component={homecontainer}></route>
    <route path="/movie" component={moviecontainer}></route>
    <route path="/about" component={aboutcontainer}></route>

</router>

注意点

  • <router></router>:作为整个组件的根元素,是路由容器,只能有一个唯一的子元素
  • <link></link>:类似于vue中的<router-link></router-link>标签,to 属性指定路由地址
  • <route></route>:类似于vue中的<router-view></router-view>,指定路由内容(组件)展示位置

路由参数

  • 配置:通过route中的path属性来配置路由参数
  • 获取:this.props.match.params 获取
// 配置路由参数
<route path="/movie/:movietype"></route>

// 获取路由参数
const type = this.props.match.params.movietype

路由跳转

  • history.push() 方法用于在js中实现页面跳转
  • history.go(-1) 用来实现页面的前进(1)和后退(-1)
this.props.history.push('/movie/moviedetail/' + movieid)

fetch

  • 作用:fetch 是一个现代的概念, 等同于 xmlhttprequest。它提供了许多与xmlhttprequest相同的功能,但被设计成更具可扩展性和高效性。
  • fetch() 方法返回一个promise对象

fetch 基本使用

/*
  通过fetch请求回来的数据,是一个promise对象.
  调用then()方法,通过参数response,获取到响应对象
  调用 response.json() 方法,解析服务器响应数据
  再次调用then()方法,通过参数data,就获取到数据了
*/
fetch('/api/movie/' + this.state.movietype)
  // response.json() 读取response对象,并返回一个被解析为json格式的promise对象
  .then((response) => response.json())
  // 通过 data 获取到数据
  .then((data) => {
    console.log(data);
    this.setstate({
      movielist: data.subjects,
      loaing: false
    })
  })

推荐大家使用fundebug,一款很好用的bug监控工具~

跨域获取数据的三种常用方式

  • jsonp
  • 代理
  • cors

jsonp

  • 安装:npm i -s fetch-jsonp
  • 利用jsonp实现跨域获取数据,只能获取get请求
  • fetch-jsonp
  • 限制:1 只能发送get请求 2 需要服务端支持jsonp请求
/* movielist.js */
fetchjsonp('https://api.douban.com/v2/movie/in_theaters')
  .then(rep => rep.json())
  .then(data => { console.log(data) })

代理

  • webpack-dev-server 代理配置如下:
  • 问题:webpack-dev-server 是开发期间使用的工具,项目上线了就不再使用 webpack-dev-server
  • 解决:项目上线后的代码,也是会部署到一个服务器中,这个服务器配置了代理功能即可(要求两个服务器中配置的代理规则相同)
// webpack-dev-server的配置
devserver: {
  // https://webpack.js.org/configuration/dev-server/#devserver-proxy
  // https://github.com/chimurai/http-proxy-middleware#http-proxy-options
  // http://www.jianshu.com/p/3bdff821f859
  proxy: {
    // 使用:/api/movie/in_theaters
    // 访问 ‘/api/movie/in_theaters’ ==> 'https://api.douban.com/v2/movie/in_theaters'
    '/api': {
      // 代理的目标服务器地址
      target: 'https://api.douban.com/v2',
      // https请求需要该设置
      secure: false,
      // 必须设置该项
      changeorigin: true,
      // '/api/movie/in_theaters' 路径重写为:'/movie/in_theaters'
      pathrewrite: {"^/api" : ""}
    }
  }
}

/* movielist.js */
fetch('/api/movie/in_theaters')
  .then(function(data) {
    // 将服务器返回的数据转化为 json 格式
    return data.json()
  })
  .then(function(rep) {
    // 获取上面格式化后的数据
    console.log(rep);
  })

cors - 服务器端配合

// 通过express的中间件来处理所有请求
app.use('*', function (req, res, next) {
  // 设置请求头为允许跨域
  res.header('access-control-allow-origin', '*');

  // 设置服务器支持的所有头信息字段
  res.header('access-control-allow-headers', 'content-type,content-length, authorization,accept,x-requested-with');
  // 设置服务器支持的所有跨域请求的方法
  res.header('access-control-allow-methods', 'post,get');
  // next()方法表示进入下一个路由
  next();
});

redux

  • 状态管理工具,用来管理应用中的数据
  • action:行为的抽象,视图中的每个用户交互都是一个action
    • 比如:点击按钮
  • reducer:行为响应的抽象,也就是:根据action行为,执行相应的逻辑操作,更新state
    • 比如:点击按钮后,添加任务,那么,添加任务这个逻辑放到 reducer 中
    • 创建state
  • store:
    • redux应用只能有一个store
    • getstate():获取state
    • dispatch(action):更新state
/* action */

// 在 redux 中,action 就是一个对象
// action 必须提供一个:type属性,表示当前动作的标识
// 其他的参数:表示这个动作需要用到的一些数据
{ type: 'add_todo', name: '要添加的任务名称' }

// 这个动作表示要切换任务状态
{ type: 'toggle_todo', id: 1 }
/* reducer */

// 第一个参数:表示状态(数据),我们需要给初始状态设置默认值
// 第二个参数:表示 action 行为
function todo(state = [], action) {
  switch(action.type) {
    case 'add_todo':
      state.push({ id: math.random(), name: action.name, completed: false })
      return state
    case 'toggle_todo':
      for(var i = 0; i < state.length; i++) {
        if (state[i].id === action.id) {
          state[i].completed = !state[i].completed
          break
        }
      }
      return state
    default:
      return state
  }
}

// 要执行 add_todo 这个动作:
dispatch( { type: 'add_todo', name: '要添加的任务名称' } )

// 内部会调用 reducer
todo(undefined, { type: 'add_todo', name: '要添加的任务名称' })

推荐大家使用fundebug,一款很好用的bug监控工具~

相关文章