一.类:es6

<script type="text/babel">
class Person{
age = 10;
constructor(name){
this.name = name;
//this.age = 10;
}
getName(){
return this.name;
}
getAge(){
return this.age;
}
}
let p = new Person("aaa");
console.log(p.getName());
console.log(p.getAge());
</script>

res:

二.生命周期函数

组件生命周期概述

1.初始化

在组件初始化阶段会执行

  1. constructor
  2. static getDerivedStateFromProps()
  3. componentWillMount() / UNSAFE_componentWillMount()
  4. render()
  5. componentDidMount()
2.更新阶段

props或state的改变可能会引起组件的更新,组件重新渲染的过程中会调用

以下方法:

  1. componentWillReceiveProps() / UNSAFE_componentWillReceiveProps()
  2. static getDerivedStateFromProps()
  3. shouldComponentUpdate()
  4. componentWillUpdate() / UNSAFE_componentWillUpdate()
  5. render()
  6. getSnapshotBeforeUpdate()
  7. componentDidUpdate()
3.卸载阶段

componentWillUnmount()

4.错误处理

componentDidCatch() 同Vue的错误函数

子级不能捕获自己的错误,只能父级捕获子级的错误 —— 冒泡

参考文献:

https://reactjs.org/docs/react-component.html

https://blog.csdn.net/qq_29311407/article/details/79861522

constructor init
react vue
componentWillMount beforeMount
componentDidMount mounted
componentWillUpdate beforeUpdate
componentDidUpdate updated
render 渲染
componentWillUnmount beforeDistory
没有componentDidlUnmount distoryed
componentWillReceiveProps(props,state)组件属性更新 —— 状态不会监听
UNSAFE_componentWillReceiveProps(nextProps)
shouldComponentUpdate(nextProps, nextState) 组件属性和状态更新
react                            vue
componentWillMount = beforeMount
componentDidMount = mounted componentWillUpdate = beforeUpdate
componentDidUpdate = updated render 渲染 componentWillUnmount = beforeDistory
没有componentDidlUnmount = distoryed componentWillReceiveProps(props,state) 组件属性更新 —— 状态不会监听 UNSAFE_componentWillReceiveProps(nextProps) shouldComponentUpdate(nextProps, nextState) 组件属性和状态更新

顺序:

1.初始化:

1、constructor

2、componentWillMount(即将被淘汰的方法)、UNSAFE_componentWillMount

(顺序:先执行componentWillMount再执行UNSAFE_componentWillMount)

3、render

4、componentDidMount

5、ReactDom.render(1,2,fn);

2.更新的顺序:

属性更新、状态更新

1.1 componentWillReceiveProps 属性

1.2 shouldComponentUpdate 状态

—————— 特别: 有返回值 true/false

           true继续往下执行

           false终止渲染

2、componentWillMount

3、render

4、componentDidMount

componentWillUpdate 消失 ==>替患者 UNSAFE_componentWillUpdate

3.销毁:释放资源   比如定时器 对象置空null

componentWillUnmount

1、通过原生删除节点的方式不会触发钩子函数

2、必须用过react自身的方式进行释放

ReactDOM.unmountComponentAtNode(container)

切换组件

案例:

exp1:

<script type="text/babel">
class Test extends React.Component{
constructor(...args){
super(...args);
this.state = {a:12,b:5};
//初始化 属性 和数据 内部的属性和函数 只会调用一次
console.log("init constructor",this.state,this.props);
} componentWillMount(){
//原生dom 渲染之前 做数据交换
console.log("componentWillMount",this.state,this.props);
}
componentDidMount(){
//挂载中 写入页面的dom
console.log("componentDidMount");
} render(){
//正在渲染页面数据—— 虚拟dom
console.log("render");
return <div>
生命周期
</div>
}
}
ReactDOM.render(
<Test name="aaa"/>,
document.getElementById("app"),
function(){
console.log("最终渲染完成了");//只会调用一次
}
);
</script>

res:

exp2:

1.

<script type="text/babel">
class Test extends React.Component{
constructor(...args){
super(...args);
}
componentWillUnmount(){
console.log("componentWillUnmount");
}
distory(){
let oApp = document.getElementById("app");
//document.body.removeChild(oApp);
ReactDOM.unmountComponentAtNode(oApp);
} render(){
//正在渲染页面数据—— 虚拟dom
console.log("render");
return <div>
生命周期<input onClick={this.distory.bind(this)} type="button" value="销毁" />
</div>
} }
ReactDOM.render(
<Test/>,
document.getElementById("app")
);
</script>

res:

<script type="text/babel">
class CompA extends React.Component{
constructor(...args){
super(...args);
}
componentWillUnmount(){
console.log("CompA------componentWillUnmount");
} render(){
return <div>组件A </div>
}
}
class CompB extends React.Component{
constructor(...args){
super(...args);
}
componentWillUnmount(){
console.log("CompB------componentWillUnmount");
} render(){
return <div>组件B </div>
}
}
let i = 0;
document.onclick = function(){
i++;
ReactDOM.render(
i%2==0?<CompA/>:<CompB/>,
document.getElementById("app")
);
};
</script>

res:

exp3:

<script type="text/babel">
class Clock extends React.Component{
timer = null;
state = {a:12,iH:"00",iM:"00",iS:"00"}; componentDidMount(){
this.tick();
this.timer = setInterval(()=>{
this.tick();
},1000);
} componentWillUpdate(){
console.log("componentWillUpdate即将更新");
}
componentDidUpdate(){
console.log("componentDidUpdate更新完成");
} componentWillUnmount(){
clearInterval(this.timer);
}
tick(){
let oDate = new Date();
this.setState({
iH:this.addZero(oDate.getHours()),
iM:this.addZero(oDate.getMinutes()),
iS:this.addZero(oDate.getSeconds()),
});
}
addZero(n){
return n < 10?`0${n}`:`${n}`;
} render(){
console.log("render...正在渲染");
return <div>
<span>{this.state.iH}</span>:
<span>{this.state.iM}</span>:
<span>{this.state.iS}</span>
<hr />
<span>{this.state.a}</span>
</div>
}
}
ReactDOM.render(
<Clock/>,
document.getElementById("app"),
function(){
console.log("最终渲染完成了");//只会调用一次
}
);
</script>

res:

exp4:

<script type="text/babel">
class Parent extends React.Component{
state = {
name:Math.random()
} fn(){
this.setState({
name:Math.random()
});
}
render(){
return <div>父组件 <input onClick={this.fn.bind(this)} type="button" value={"按钮"}/>
<Child name={this.state.name}/>
</div>
}
}
class Child extends React.Component{
componentWillUpdate(){
console.log("2.componentWillUpdate即将更新");
}
componentDidUpdate(){
console.log("4.componentDidUpdate更新完成");
}
componentWillReceiveProps(){
console.log("1.1.componentWillReceiveProps组件属性更新");
}
shouldComponentUpdate(){
console.log("1.2.shouldComponentUpdate组件属性和状态更新");
return true;
}
render(){
console.log("3.render...正在渲染");
return <div>子组件——{this.props.name}</div>
} }
ReactDOM.render(
<Parent />,
document.getElementById("app"),
function(){
console.log("最终渲染完成了");//只会调用一次
}
);
</script>

res:

<script type="text/babel">

class Test extends React.Component{
state = {
name:Math.random()
} fn(){
this.setState({
name:Math.random()
});
}
componentWillUpdate(){
console.log("2.componentWillUpdate即将更新");
}
componentDidUpdate(){
console.log("4.componentDidUpdate更新完成");
}
componentWillReceiveProps(){
console.log("1.componentWillReceiveProps组件属性更新");
}
render(){
console.log("3.render...正在渲染");
return <div>{this.state.name}<input onClick={this.fn.bind(this)} type="button" value={"按钮"}/></div>
} }
ReactDOM.render(
<Test />,
document.getElementById("app")
);
</script>

res:

<script type="text/babel">

class Test extends React.Component{
state = {
name:Math.random()
} fn(){
this.setState({
name:Math.random()
});
}
componentWillUpdate(){
console.log("2.componentWillUpdate即将更新");
}
componentDidUpdate(){
console.log("4.componentDidUpdate更新完成");
}
shouldComponentUpdate(){
console.log("1.shouldComponentUpdate组件属性和状态更新");
return false;
}
render(){
console.log("3.render...正在渲染");
return <div>{this.state.name}<input onClick={this.fn.bind(this)} type="button" value={"按钮"}/></div>
} }
ReactDOM.render(
<Test />,
document.getElementById("app")
);
</script>

res:

<script type="text/babel">
class Parent extends React.Component{
state = {
name:Math.random()
}
fn(){
this.setState({
name:Math.random()
});
}
render(){
return <div>父组件 <input onClick={this.fn.bind(this)} type="button" value={"按钮"}/>
<Child name={this.state.name}/>
</div>
}
}
class Child extends React.Component{
state = {a:1,b:2};
componentWillReceiveProps(props,state){
console.log("1.1.componentWillReceiveProps组件属性更新",props,state);
//在这个方法中调用setState()不会起作用,是由于他在render()前被调用
this.setState({
a:Math.random(),
b:Math.random()
});
}
UNSAFE_componentWillReceiveProps(props,state){
console.log("1.1.UNSAFE_componentWillReceiveProps组件属性更新",props,state);
//在这个方法中调用setState()不会起作用,是由于他在render()前被调用
this.setState({
a:Math.random(),
b:Math.random()
});
}
shouldComponentUpdate(props,state){
console.log("1.2.shouldComponentUpdate组件属性和状态更新",props,state);
return true;
}
render(){
return <div>子组件——{this.props.name}</div>
} }
ReactDOM.render(
<Parent />,
document.getElementById("app")
);
</script>

res:

exp5:

<script type="text/babel">
class Parent extends React.Component{
state = {
name:Math.random()
} fn(){
this.setState({
name:Math.random()
});
}
render(){
return <div>父组件 ----{this.state.name}<input onClick={this.fn.bind(this)} type="button" value={"按钮"}/>
<Child name={this.state.name}/>
</div>
}
}
class Child extends React.Component{
state = {
name:this.props.name
};
static getDerivedStateFromProps(nextProps, prevState){
console.log("1getDerivedStateFromProps",nextProps, prevState);
return true;
}
componentWillReceiveProps(){
console.log("2componentWillReceiveProps");
} render(){
console.log("3.render...正在渲染");
return <div>子组件——{this.props.name}——{this.state.name}</div>
} }
ReactDOM.render(
<Parent />,
document.getElementById("app"),
function(){
console.log("最终渲染完成了");//只会调用一次
}
);
</script>

res:

exp6:

<script type="text/babel">
class Test extends React.Component{
constructor(...args){
super(...args);
this.state = {a:12,b:5};
//初始化 属性 和数据 内部的属性和函数 只会调用一次
console.log("init constructor",this.state,this.props);
}
UNSAFE_componentWillMount(){
//原生dom 渲染之前 做数据交换
console.log("UNSAFE_componentWillMount",this.state,this.props);
}
componentWillMount(){
//原生dom 渲染之前 做数据交换
console.log("componentWillMount",this.state,this.props);
} componentDidMount(){
//挂载中 写入页面的dom
console.log("componentDidMount");
} render(){
//正在渲染页面数据—— 虚拟dom
console.log("render");
return <div>
生命周期
</div>
} }
ReactDOM.render(
<Test name="aaa"/>,
document.getElementById("app"),
function(){
console.log("最终渲染完成了");//只会调用一次
}
);
</script>

res:

exp7:

<script type="text/babel">
class Parent extends React.Component{
state = {
name:Math.random()
} fn(){
this.setState({
name:Math.random()
});
}
render(){
return <div>父组件 <input onClick={this.fn.bind(this)} type="button" value={"按钮"}/>
<Child name={this.state.name}/>
</div>
}
}
class Child extends React.Component{ //UNSAFE_componentWillReceiveProps用来替代componentWillReceiveProps
componentWillReceiveProps(){
console.log("1.1.componentWillReceiveProps组件属性更新");
}
UNSAFE_componentWillReceiveProps(){
console.log("1.2.UNSAFE_componentWillReceiveProps组件属性和状态更新");
}
render(){
console.log("3.render...正在渲染");
return <div>子组件——{this.props.name}</div>
} }
ReactDOM.render(
<Parent />,
document.getElementById("app"),
function(){
console.log("最终渲染完成了");//只会调用一次
}
);
</script>

res:

exp8:

<script type="text/babel">
class Parent extends React.Component{
//throw new Error("parent");
state = {
name:Math.random()
} fn(){
this.setState({
name:Math.random()
});
} componentDidCatch(){
console.log("Parent ----- componentDidCatch");
}
render(){
return <div>父组件 <input onClick={this.fn.bind(this)} type="button" value={"按钮"}/>
<Child name={this.state.name}/>
</div>
}
}
class Child extends React.Component{
//throw new Error("child");
componentDidCatch(){
console.log("child ----- componentDidCatch");
}
render(){
throw new Error("child");
console.log("3.render...正在渲染");
return <div>子组件——{this.props.name}</div>
} }
ReactDOM.render(
<Parent />,
document.getElementById("app"),
function(){
console.log("最终渲染完成了");//只会调用一次
}
);
</script>

res:


创建reactapp

方法一、  npx create-react-app myreact

方法二、 1. cnpm i -g create-react-app

     2. create-react-app myreact

cd myreact

npm start


vue-cli:

1、vue-cli2.x vue init webpack myvue

2、vue-cli3.x vue create myvue —— vue.config.js

入口文件:main.js

静态文件:vue-cli2.x   static/

       vue-cli3.x   public/

组件:  .vue   template/script/style

react: 

  cnpm i -g create-react-app

  create-react-app myreact

入口文件:index.js

静态文件:public/

组件: .js .css

import "./xxx.css"


react 安装:react, react-dom, and react-scripts —— 后台

webpack/babel...

%PUBLIC_URL%/---> public/


改端口
两种方法:

1、myreact\node_modules\react-scripts\scripts\start.js

2、工程文件 package.json

"start": "set port=8888 && react-scripts start",

要新建两个目录:

1、components

2、assets

    静态文件—— 文件会打包


路由: cnpm i -S react-router-dom

https://reacttraining.com/ 官网 http://reacttraining.cn/

http://react-china.org/t/react-router4/15843

http://react-guide.github.io/react-router-cn/docs/API.html

http://react-guide.github.io/react-router-cn/


jsonp:

http://api.douban.com/v2/movie/in_theaters?callback=xxx&city=北京

subjects

jQuery的ajax没有跨域功能 集成jsonp

exp1:

<script type="text/babel">
class MoveBox extends React.Component{
state = {
id:1,
city:"北京"
}
/*//第二种
shouldComponentUpdate(nextProps, nextState){
console.log(2222,this.state, nextState);
return true;
}**/ fn(data){
//第三种
console.log("fn",this.state, data);
if(this.state.city == data.city)return;
this.setState({
id : data.id,
city:data.city
});
} render(){
return <div> {
this.props.arr.map(item=><input
className={this.state.id==item.id?"active":""}
key={item.id}
type="button"
onClick={this.fn.bind(this,item)}
value={item.city}/>)
} <BoxList city={this.state.city}/> </div>
}
}
class BoxList extends React.Component{
state = {
movies:[]
};
componentDidMount(){
this.getMovies();
}
/*
shouldComponentUpdate(nextProps, nextState){
console.log(111,nextProps, nextState);
return true;
}*/ UNSAFE_componentWillReceiveProps(props){
/*方法1
console.log(props,this.props);
if(props.city == this.props.city)return;
*/
this.getMovies();
} getMovies(){
$.ajax({
url:"http://api.douban.com/v2/movie/in_theaters",
data:{
city:this.props.city
},
dataType:"jsonp",
success:(res)=>{
console.log(res);
this.setState({
movies:res.subjects
}); }
});
}
render(){
return <ul>
{
this.state.movies.map(item=><li key={item.id}>{item.title}</li>) }
</ul>
}
} let arr = [
{id:1,city:"北京"},
{id:2,city:"上海"},
{id:3,city:"深圳"},
{id:4,city:"青岛"}
]; ReactDOM.render(
<MoveBox arr={arr} />,
$("#app")[0]
);
</script>

exp2:

<script type="text/babel">
class MoveBox extends React.Component{
state = {...this.props.arr[0]};
fn(data){ console.log(this);
//第三种
//console.log("fn",this.state, data);
if(this.state.city == data.city)return;
this.setState({
id : data.id,
city:data.city
});
}
render(){//
return <div>
{/*
this.props.arr.map(item=><input
className={this.state.id==item.id?"active":""}
key={item.id}
type="button"
onClick={this.fn.bind(this,item)}
value={item.city}/>)
}
*/}
<BoxTitle arr={this.props.arr} parent={this} fn={this.fn} />
<BoxList city={this.state.city}/> </div>
}
} class BoxTitle extends React.Component{
state = {...this.props.arr[0]} render(){
return <div>
{
this.props.arr.map(item=><input
className={this.state.id==item.id?"active":""}
key={item.id}
type="button"
onClick={this.props.fn.bind(this.props.parent,item)}
value={item.city}/>)
}
</div>
}
}
class BoxList extends React.Component{
state = {
movies:[]
};
componentDidMount(){
this.getMovies();
} UNSAFE_componentWillReceiveProps(props){
this.getMovies();
}
getMovies(){
$.ajax({
url:"http://api.douban.com/v2/movie/in_theaters",
data:{
city:this.props.city
},
dataType:"jsonp",
success:(res)=>{
console.log(res);
this.setState({
movies:res.subjects
});
}
});
}
render(){
return <ul>
{
this.state.movies.map(item=><li key={item.id}>{item.title}</li>)
}
</ul>
}
} let arr = [
{id:1,city:"北京"},
{id:2,city:"上海"},
{id:3,city:"深圳"},
{id:4,city:"青岛"}
];
ReactDOM.render(
<MoveBox arr={arr} />,
$("#app")[0]
);
</script>

res:

https://reactjs.org/docs/react-component.html#defaultprops

22.2、react生命周期与react脚手架(二)的更多相关文章

  1. 【React】学习笔记(二)——组件的生命周期、React脚手架使用

    原教程视频:ttps://www.bilibili.com/video/BV1wy4y1D7JT?p=2&spm_id_from=pageDriver 目录 一.组件的生命周期 1.1.生命周 ...

  2. 22.1 、react生命周期(一)

    在每个react组件中都有以下几个生命周期方法~我们需要在不同阶段进行讨论 组件生命周期概述 1.初始化 在组件初始化阶段会执行 constructor static getDerivedStateF ...

  3. React生命周期

    在react生命周期中,分2段执行,一个挂载的生命周期,一个是组件发生了数据变动,或者事件触发而引发的更新生命周期. 注:react生命周期很重要,对于很多组件场景的应用发挥重要作用,而且不熟悉生命周 ...

  4. React 生命周期

    前言 学习React,生命周期很重要,我们了解完生命周期的各个组件,对写高性能组件会有很大的帮助. Ract生命周期 React 生命周期分为三种状态 1. 初始化 2.更新 3.销毁 初始化 1.g ...

  5. React生命周期浅析

    引言 关于React的生命周期API,官网,有着详细说明.但在实际写代码的过程中,这些说明不能解决所有的疑惑. 所以我列举了一些编码中常见用例,供大家参考. 示例代码如下 /* use case 1. ...

  6. React生命周期详解

    React生命周期图解: 一.旧版图解: 二.新版图解: 从图中,我们可以清楚知道React的生命周期分为三个部分:  实例化.存在期和销毁时. 旧版生命周期如果要开启async rendering, ...

  7. React生命周期简单详细理解

    前言 学习React,生命周期很重要,我们了解完生命周期的各个组件,对写高性能组件会有很大的帮助. Ract生命周期 React 生命周期分为三种状态 1. 初始化 2.更新 3.销毁 初始化 1.g ...

  8. react 生命周期钩子里不要写逻辑,否则不生效

    react 生命周期钩子里不要写逻辑,否则不生效,要把逻辑写在函数里,然后在钩子里调用函数,否则会出现问题.

  9. react复习总结(2)--react生命周期和组件通信

    这是react项目复习总结第二讲, 第一讲:https://www.cnblogs.com/wuhairui/p/10367620.html 首先我们来学习下react的生命周期(钩子)函数. 什么是 ...

随机推荐

  1. SpringBoot 定时任务不能同时运行的问题

    使用Spring Task可以非常方便的进行定时任务,但是默认只能有一个定时任务在执行.如何改变这种状况呢? 在定时任务方法上添加@Async注解即可. @Scheduled(cron = " ...

  2. [JS]常见JS错误之一:Uncaught SyntaxError: Unexpected identifier

    在编写JS时如果创建变量没有用var而是使用了变量的类型,如: MyClass c=new MyClass(); 这样的错误Java程序员容易犯,也许不经意就写出来了,然后chrome的开发者工具里会 ...

  3. LIN 笔记

    LIN 使用了 1 根线来进行通信,但是,它必须要参考 VBat 和 GND.离开这两个参考电平,并没有办法来判断线上的 bit 状态. 另外,根据经典的 LIN 驱动电路(一个 OC 门),RX 接 ...

  4. (原)faster rcnn的tensorflow代码的理解

    转载请注明出处: https://www.cnblogs.com/darkknightzh/p/10043864.html 参考网址: 论文:https://arxiv.org/abs/1506.01 ...

  5. 关于inodes占用100%解决方法

    df -i; 发现inode节点占满: 这个时候如果不知道哪儿节点占用多可以用下边的脚本进行检查,查看到底哪个目录下面的文件最多: for i in /*; do echo $i; find $i | ...

  6. mybatis插入一个对象后获取表中自增的主键Id并且传入到插入的的对象中,方便将对象中其他属性赋值给其他以前表主键Id作为非空字段的表

    原本的sql语句为: <insert id="xx" parameterType="com.hrt.partner.model.ShopInsert"&g ...

  7. MySQL技术内幕读书笔记(四)——表

    目录 表 索引组织表 InnoDB逻辑存储结构 INNODB行记录格式 INNODB数据页结构 约束 视图 分区表 表 ​ 表就是关于特定实体的数据集合,是关系型数据库模型的核心. 索引组织表 ​ 在 ...

  8. PHP为JSON数据的API返回空数组或者空对象

    在使用 JSON 作为 API 数据 Content-Type 的时候,会有这样一个问题: 如何返回一个空对象和一个空数组? 使用:json_encode(array())   得到JSON结果:[] ...

  9. jquery.cookie.js写入的值没有定义

    这个是插件的基本语法,你写的没错,错就错在你肯定是在本地测试的,cookie是基于域名来储存的.意思您要放到测试服务器上或者本地localhost服务器上才会生效.cookie具有不同域名下储存不可共 ...

  10. Github上 10 个开源免费且优秀的后台控制面板(转)

    https://github.com/ant-design/ant-design-pro https://mp.weixin.qq.com/s/Hn6hI-ubGw6N16nFzPdVLA