React.js 开发那点事——基础篇

简介: react开发常规操作,此篇也算一种另类cheatsheet

本着打好基础,快速上手,实用第一的思想,下文总结了一些平时开发常用的基础操作,适合入门参照。最好的学习资料还请移步 官方文档,期待同学们更精彩的分享。如有不当之处,请予指正。

类组件

// 引入依赖
import React from 'react';
import ReactDOM from 'react-dom';

class Hello extends React.Component {
  render () {
    return <div className='message-box'>
      Hello {this.props.name}
    </div>
  }
}

ReactDOM.render(<Hello name='John' />, document.body)

React.Component 的性能优化版本。如果 props/state 没有改变,不会重新render。

import React, {PureComponent} from 'react';

class MessageBox extends PureComponent {
  ···
}

类组件API

this.forceUpdate();

// 设置state
this.setState({ ... });
this.setState(state => { ... });

// 获取state或props里的值
this.state.visible
this.props.name
// 或者使用es6解构语法
const { visible } = this.props;
const { name } = this.state;

默认值

默认prop值

Hello.defaultProps = {
  color: 'blue'
}

默认state值

class Hello extends Component {
  // 有 constructor() 时
  constructor (props) {
    super(props)
    this.state = { visible: true }
  }
  // 使用Babel,可以使用 proposer-class-fields 来摆脱 constructor()
  state = { visible: true }
}

获取props属性

this.props 来访问传递给组件的属性。

// 父组件
<Video fullscreen={true} autoplay={false} />

// 子组件,非限定render函数,组件内皆可
render () {
  // this.props.fullscreen
  const { fullscreen, autoplay } = this.props
  ···
}

传递children

// 父组件
<AlertBox>
  <h1>咱老百姓今儿真啊么真高兴</h1>
</AlertBox>
 
// 子组件
class AlertBox extends Component {
  render () {
    return <div className='alert-box'>
      {this.props.children} <!-- <h1>咱老百姓今儿真啊么真高兴</h1> --> 
    </div>
  }
}

透传

// 父组件
...
<VideoPlayer src="video.mp4" />
...

// 子组件
class VideoPlayer extends Component {
  ...
  render () {
    // 孙组件
    return <VideoEmbed {...this.props} />
  }
}

函数式组件

函数组件没有state,它们的props将作为第一个参数传递给函数。

function MyComponent ({ name }) {
  return <div className='message-box'>
    Hello {name}
  </div>
}

Hook

useState

import React, { useState } from 'react';

function Example() {
  // 声明一个新的state变量"count",注意第二个参数使用CamelCase,约定以set-开头
  const [count, setCount] = useState(0);

  return (
    <div>
      <p>你点击了 {count} 次</p>
      <button onClick={() => setCount(count + 1)}>
        点击
      </button>
    </div>
  );
}

useEffect

默认情况下,React在每次render后执行effect——包括第一次render。

import React, { useState, useEffect } from 'react';

function Example() {
  const [count, setCount] = useState(0);

  // 类似于 componentDidMount 和 componentDidUpdate,注意第二参数是否为空数组
  useEffect(() => {
    document.title = `你点击了 ${count} 次`;
  }, [count]);

  return (
    <div>
      <p>你点击了 {count} 次</p>
      <button onClick={() => setCount(count + 1)}>
        点击
      </button>
    </div>
  );
}

Hooks API

  • useState(initialState)
  • useEffect(() => { … })
  • useContext(MyContext)
  • useReducer(reducer, initialArg, init)
  • useCallback(() => { … })
  • useMemo(() => { … })
  • useRef(initialValue)
  • useImperativeHandle(ref, () => { … })
  • useLayoutEffect 与useEffect相同,但它在所有DOM突变后同步触发
  • useDebugValue(value) 在React DevTools中显示自定义钩子标签

DOM

ref

class MyComponent extends Component {
  render () {
    return <div>
      <input ref={el => this.input = el} />
    </div>
  }

  componentDidMount () {
    this.input.focus();
  }
}

Events

class MyComponent extends Component {
  
  onChange = (event) => {
    this.setState({ value: event.target.value })
  }
  
  render () {
    return <input type="text"
        value={this.state.value}
        onChange={event => this.onChange(event)} />
  }

}

生命周期 Lifecycle

  • React16新的生命周期弃用了componentWillMount、componentWillReceiveProps,componentWillUpdate
  • 新增了getDerivedStateFromProps、getSnapshotBeforeUpdate来代替弃用的三个钩子函数(componentWillMount、componentWillReceiveProps,componentWillUpdate)
  • 新增了对错误的处理(componentDidCatch)

挂载阶段

constructor()上初始化state状态;

componentDidMount()上添加DOM事件处理程序、计时器等,然后在componentWillUnmount()上删除它们。

constructor (props)        render之前执行

componentWillMount()        不推荐,完全可以写在constructor中

render()

componentDidMount()          render之后(DOM 可用)

componentWillUnmount()          DOM移除之前

componentDidCatch(error, info)            捕获errors (16+)

更新阶段

当父类更改属性和. setstate()时调用,这些在初始渲染时不被调用。

componentWillReceiveProps(nextProps)      接收到新的props时触发

shouldComponentUpdate (newProps, newState)        return false 将阻断 render

componentWillUpdate (prevProps, prevState, snapshot)        此时可用 setState(), 勿忘比较新旧props

render()

componentDidUpdate (prevProps, prevState)    可操作DOM

JSX 一些写法

样式

// 行内样式
const style = { height: 10 }
return <div style={style}></div>
// 或
return <div style={{ margin: 0, padding: 0 }}></div>

// className
<div className={styles.container}>nodes</div>
<div className={`${styles.container} ${isClicked?styles.clicked:''}`}>nodes</div>

// className={`title ${index === this.state.active ? 'active' : ''}`}
// className={["title", index === this.state.active?"active":null].join(' ')}
// 引用 classnames 三方库

条件判断

<>
  {showMyComponent
    ? <MyComponent />
    : <OtherComponent />}
</>

短路判断

<Fragment>
  {showPopup && <Popup />}
  ...
</Fragment>

InnerHTML

function markdownify() { return "<p>...</p>"; }

<div dangerouslySetInnerHTML={{__html: markdownify()}} />

List 遍历展示

class TodoList extends Component {
  render () {
    const { items } = this.props

    // key 不能使用index简单设置,反优化措施
    return <ul>
      {items.map(item =>
        <TodoItem item={item} key={item.key} />)}
    </ul>
  }
}

属性验证

非强制

import PropTypes from 'prop-types';

class MyComponent extends Component {
  ...
}

MyComponent.propTypes = {
  email:      PropTypes.string.isRequired, // 必需属性
  seats:      PropTypes.number,
  callback:   PropTypes.func,
  isClosed:   PropTypes.bool,
  any:        PropTypes.any,
  
  // Elements
  element:         PropTypes.element,
  node:             PropTypes.node,
  
  // array
  list:             PropTypes.array,
  ages:             PropTypes.arrayOf(PropTypes.number),
  
  // object
  user:             PropTypes.object,
  user:             PropTypes.objectOf(PropTypes.number),
  message:         PropTypes.instanceOf(Message),
  
  // 定义对象结构
  user:             PropTypes.shape({
    name: PropTypes.string,
    age:  PropTypes.number
  })
  
  // 枚举 oneOfType
  direction:  PropTypes.oneOf([
    'left', 'right'
  ]),
  
  // 自定义
  customProp: (props, key, componentName) => {
    if (!/matchme/.test(props[key])) {
      return new Error('Validation failed!')
    }
  }
}
目录
相关文章
|
1月前
|
前端开发 JavaScript API
React开发需要了解的10个库
本文首发于微信公众号“前端徐徐”,介绍了React及其常用库。React是由Meta开发的JavaScript库,用于构建动态用户界面,广泛应用于Facebook、Instagram等知名网站。文章详细讲解了Axios、Formik、React Helmet、React-Redux、React Router DOM、Dotenv、ESLint、Storybook、Framer Motion和React Bootstrap等库的使用方法和应用场景,帮助开发者提升开发效率和代码质量。
116 4
React开发需要了解的10个库
|
1月前
|
小程序 JavaScript 前端开发
uni-app开发微信小程序:四大解决方案,轻松应对主包与vendor.js过大打包难题
uni-app开发微信小程序:四大解决方案,轻松应对主包与vendor.js过大打包难题
608 1
|
1月前
|
JavaScript 前端开发 安全
TypeScript的优势与实践:提升JavaScript开发效率
【10月更文挑战第8天】TypeScript的优势与实践:提升JavaScript开发效率
|
1月前
|
JavaScript 前端开发 IDE
深入理解TypeScript:提升JavaScript开发的利器
【10月更文挑战第8天】 深入理解TypeScript:提升JavaScript开发的利器
30 0
|
1天前
|
开发框架 JavaScript 前端开发
TypeScript 是一种静态类型的编程语言,它扩展了 JavaScript,为 Web 开发带来了强大的类型系统、组件化开发支持、与主流框架的无缝集成、大型项目管理能力和提升开发体验等多方面优势
TypeScript 是一种静态类型的编程语言,它扩展了 JavaScript,为 Web 开发带来了强大的类型系统、组件化开发支持、与主流框架的无缝集成、大型项目管理能力和提升开发体验等多方面优势。通过明确的类型定义,TypeScript 能够在编码阶段发现潜在错误,提高代码质量;支持组件的清晰定义与复用,增强代码的可维护性;与 React、Vue 等框架结合,提供更佳的开发体验;适用于大型项目,优化代码结构和性能。随着 Web 技术的发展,TypeScript 的应用前景广阔,将继续引领 Web 开发的新趋势。
13 2
|
1天前
|
Web App开发 JavaScript 前端开发
Node.js 是一种基于 Chrome V8 引擎的后端开发技术,以其高效、灵活著称。本文将介绍 Node.js 的基础概念
Node.js 是一种基于 Chrome V8 引擎的后端开发技术,以其高效、灵活著称。本文将介绍 Node.js 的基础概念,包括事件驱动、单线程模型和模块系统;探讨其安装配置、核心模块使用、实战应用如搭建 Web 服务器、文件操作及实时通信;分析项目结构与开发流程,讨论其优势与挑战,并通过案例展示 Node.js 在实际项目中的应用,旨在帮助开发者更好地掌握这一强大工具。
12 1
|
7天前
|
JavaScript 前端开发 测试技术
探索现代JavaScript开发的最佳实践
本文探讨了现代JavaScript开发中的最佳实践,涵盖ES6+特性、现代框架使用、模块化与代码分割、测试驱动开发、代码质量与性能优化、异步编程、SPA与MPA架构选择、服务端渲染和静态站点生成等内容,旨在帮助开发者提升代码质量和开发效率。
|
11天前
|
Web App开发 JavaScript 前端开发
深入浅出Node.js后端开发
【10月更文挑战第36天】本文将引导您探索Node.js的世界,通过实际案例揭示其背后的原理和实践方法。从基础的安装到高级的异步处理,我们将一起构建一个简单的后端服务,并讨论如何优化性能。无论您是新手还是有经验的开发者,这篇文章都将为您提供新的视角和深入的理解。
|
16天前
|
Web App开发 存储 JavaScript
深入浅出Node.js后端开发
【10月更文挑战第31天】本文将引导你进入Node.js的奇妙世界,探索其如何革新后端开发。通过浅显易懂的语言和实际代码示例,我们将一起学习Node.js的核心概念、搭建开发环境,以及实现一个简单但完整的Web应用。无论你是编程新手还是希望拓展技术的开发者,这篇文章都将为你打开一扇通往高效后端开发的大门。
|
12天前
|
运维 监控 JavaScript
鸿蒙next版开发:分析JS Crash(进程崩溃)
在HarmonyOS 5.0中,JS Crash指未处理的JavaScript异常导致应用意外退出。本文详细介绍如何分析JS Crash,包括异常捕获、日志分析和典型案例,帮助开发者定位问题、修复错误,提升应用稳定性。通过DevEco Studio收集日志,结合HiChecker工具,有效解决JS Crash问题。
33 4
下一篇
无影云桌面