[React]面向组件编程

这篇具有很好参考价值的文章主要介绍了[React]面向组件编程。希望对大家有所帮助。如果存在错误或未考虑完全的地方,请大家不吝赐教,您也可以点击"举报违法"按钮提交疑问。

1. 定义组件

- 函数式定义(简单组件),使用function定义
import React from 'react';
import ReactDOM from 'react-dom/client';

function App() {
  return (
    <button onClick={handleClick}>click</button> // 直接把方法handleClick赋值给onClick
  )
  
  function handleClick() {
    alert('click')
  }
}
export default App; // 其他组件引用时需要export出去

const root = ReactDOM.createRoot(document.getElementById('root'));
root.render(<App />);
- 类式定义(复杂组件),使用class定义
import React from 'react';
import ReactDOM from 'react-dom/client';

class App extends React.Component {
  render() {
    return (
      <button onClick={this.handleClick}>click</button>  // this代表在App的实例对象上赋值handleClick
    )
  }
  handleClick() {
    alert('click')
  }
}
export default App; // 其他组件引用时需要export出去

const root = ReactDOM.createRoot(document.getElementById('root'));
root.render(<App />);

2. state,设置组件初始值

- 原始定义,需要在constructor中定义state和绑定方法handleClick的this
class Weather extends React.Component {
  // 创建构造器,类似ruby的initialize
  constructor(props) {
  	// 构造器是否接收props,是否传递给super,取决于是否希望在构造器中通过this访问props
  	// 如果是 super(),则 console.log(this.props)为undefined, console.log(props)就是传进来的props
  	// 如果是 super(props),则 console.log(this.props)为Weather的实例
    super(props) // 调用父类React.Component的构造器
    this.state = { isHot: true, wind: 'big' }
    this.handleClick = this.handleClick.bind(this) // 给handleClick绑定this
  }

  render() {
    const isHot = this.state.isHot
    return (
      <h1 onClick={this.handleClick}>Today is very {isHot ? 'hot' : 'cold'}, wind: {this.state.wind}</h1>
    )
  }
  
  handleClick() {
    this.setState({ isHot: !this.state.isHot, wind: this.state.wind !== 'big' ? 'big' : 'small' })
  }
}
- 简化后在类中直接给state和handleClick赋值,就直接把属性和方法绑定到Weather的实例上了
class Weather extends React.Component {
  // 初始化
  state = { isHot: true, wind: 'big' }
  // 渲染
  render() {
    const isHot = this.state.isHot
    return (
      <h1 onClick={this.handleClick}>Today is very {isHot ? 'hot' : 'cold'}, wind: {this.state.wind}</h1>
    )
  }
  // 自定义方法
  handleClick = () => {
    this.setState({ isHot: !this.state.isHot, wind: this.state.wind !== 'big' ? 'big' : 'small' })
  }
}

3. props,从组件外部给组件定义中传值

- 函数式组件使用props
- 函数式组件使用props
```typescript
import React from 'react';
import ReactDOM from 'react-dom/client';
import PropTypes from 'prop-types';

function Person(props){
  const { name, age, sex } = props
  return (
    <ul>
      <li>name: {name}</li>
      <li>age: {age}</li>
      <li>sex: {sex}</li>
    </ul>
  )
}
// 限制属性
Person.propTypes = {
  name: PropTypes.string.isRequired,
  age: PropTypes.number,
  sex: PropTypes.string,
  speak: PropTypes.func
}
// 设置属性默认值
Person.defaultProps = {
  age: 18,
  sex: 'female'
}

function speak() {
  console.log('speak')
}

const root = ReactDOM.createRoot(document.getElementById('root'));
const p = { name: 'Tom' }
root.render(
  <React.StrictMode>
    {/* <Person name={p.name} age={p.age} sex={p.sex} speak={speak} /> */}
    <Person {...p} speak={speak} />
  </React.StrictMode>
);
- 类式组件使用props
import React from 'react';
import ReactDOM from 'react-dom/client';
import PropTypes from 'prop-types';

class Person extends React.Component {
  render() {
    const { name, age, sex } = this.props
    return (
      <ul>
        <li>name: {name}</li>
        <li>age: {age}</li>
        <li>sex: {sex}</li>
      </ul>
    )
  }
  state = { isHot: true } // 这是给组件实例对象赋值
  // 限制属性 前面加 static 是给组件类赋值
  static propTypes = {
    name: PropTypes.string.isRequired,
    age: PropTypes.number,
    sex: PropTypes.string,
    speak: PropTypes.func
  }
  // 设置属性默认值
  static defaultProps = {
    age: 18,
    sex: 'female'
  }
}

function speak() {
  console.log('speak')
}

const root = ReactDOM.createRoot(document.getElementById('root'));
const p = { name: 'Tom' }
root.render(
  <React.StrictMode>
    {/* <Person name={p.name} age={p.age} sex={p.sex} speak={speak} /> */}
    <Person {...p} speak={speak} />
  </React.StrictMode>
);

4. refs,获取其他html元素的dom,相当于$(‘#xx’)

- 字符串形式ref
class Demo extends React.Component {
  render() {
    return (
      <>
        <input ref="input1" type="text" />
        <button onClick={this.tipLeftInput}>Click me</button>
        <input ref="input2" onBlur={this.tiprightInput} type="text" />
      </>
    )
  }

  tipLeftInput = () => {
    alert(this.refs.input1.value);
  }
  tiprightInput = () => {
    alert(this.refs.input2.value);
  }
}
- 回调形式ref
class Demo extends React.Component {
  render() {
    return (
      <>
        <input ref={(currentNode) => { this.input1 = currentNode }} type="text" />
        {/* <input ref={currentNode => this.input1 = currentNode} type="text" />  简写 */}
        <button onClick={this.tipLeftInput}>Click me</button>
        <input ref={(currentNode) => { this.rightInput = currentNode }} onBlur={this.tiprightInput} type="text" />
      </>
    )
  }

  tipLeftInput = () => {
    alert(this.input1.value);
  }
  tiprightInput = () => {
    alert(this.rightInput.value);
  }
}
  • ref回调函,如果是内联函数方式定义的,在更新过程中(更改state重新渲染render)会被执行两次,第一次传入参数null,第二次传入参数为DOM, 可以将ref回调函数定义为class的绑定函数避免上述问题。
    [React]面向组件编程
- createRef api创建ref , 较麻烦
class Demo extends React.Component {
  render() {
    return (
      <>
        <input ref={this.myRef1} type="text" />
        <button onClick={this.tipLeftInput}>Click me</button>
        <input ref={this.myRef2} onBlur={this.tiprightInput} type="text" />
      </>
    )
  }
  myRef1 = React.createRef()
  myRef2 = React.createRef()

  tipLeftInput = () => {
    console.log(this.myRef1.current.value);
  }

  tiprightInput = () => {
    console.log(this.myRef2.current.value);
  }
}

5. 事件处理

- button要获取input的值,使用ref
class Demo extends React.Component {
  render() {
    return (
      <>
        <input ref={this.myRef1} type="text" />
        <button onClick={this.tipLeftInput}>Click me</button>
      </>
    )
  }
  myRef1 = React.createRef()

  tipLeftInput = () => {
    console.log(this.myRef1.current.value);
  }
}
- input获取本身DOM的值,使用e.target获取dom
class Demo extends React.Component {
  render() {
    return (
      <>
        <input onBlur={this.tiprightInput} type="text" />
      </>
    )
  }
  
  tiprightInput = (e) => {
    console.log(e.target.value);
  }
}

6. 非受控组件和受控组件

- 非受控组件,使用ref取值,不建议使用
class Login extends React.Component {
  render() {
    return (
      <form onSubmit={this.submit}>
        <input type="text" name="username" ref={ref => this.username = ref} />
        <input type="text" name="password" ref={ref => this.password = ref} />
        <input type="submit" name="" />
      </form>
    )
  }

  submit = (e) => {
    e.preventDefault();
    alert(`username: ${this.username.value}, password: ${this.password.value}`)
  }
}
- 受控组件,使用state取值,建议使用
class Login extends React.Component {
  state = {
    username: '',
    password: ''
  }

  render() {
    return (
      <form onSubmit={this.submit}>
        <input type="text" name="username" onChange={this.saveUsername} />
        <input type="text" name="password" onChange={this.savePassword} />
        <input type="submit" name="" />
      </form>
    )
  }

  saveUsername = (e) => {
    this.setState({ username: e.target.value })
  }

  savePassword = (e) => {
    this.setState({ password: e.target.value })
  }

  submit = (e) => {
    e.preventDefault();
    alert(`username: ${this.state.username}, password: ${this.state.password}`)
  }
}

7.高阶函数

-上面的代码重构,onChange 调用的是saveFormdate方法return的返回值,是个函数
必须把一个函数交给onChange文章来源地址https://www.toymoban.com/news/detail-502324.html

class Login extends React.Component {
  state = {
    username: '',
    password: ''
  }

  render() {
    return (
      <form onSubmit={this.submit}>
        <input type="text" name="username" onChange={this.saveFormdate('username')} />
        <input type="text" name="password" onChange={this.saveFormdate('password')} />
        <input type="submit" name="" />
      </form>
    )
  }

  saveFormdate = (params) => {
    return (e) => {
      this.setState({ [params]: e.target.value })
    }
  }

  submit = (e) => {
    e.preventDefault();
    alert(`username: ${this.state.username}, password: ${this.state.password}`)
  }
}

8. 生命周期,回调函数或者叫钩子函数

  • 16版本生命周期
    [React]面向组件编程
class Life extends React.Component {
  // 构造器
  constructor(props) {
    console.log('constructor')
    super(props)
    this.state = { num: 0 }
  }
  // 组件挂载前调用
  componentWillMount() {
    console.log('componentWillMount')
  }
  // 询问是否更新组件调用
  shouldComponentUpdate() {
    console.log('shouldComponentUpdate')
    return true // 默认返回true
  }
  // 组件更新前调用
  componentWillUpdate() {
    console.log('componentWillUpdate')
  }
  // 组件挂载,初始化渲染、状态更新后调用
  render() {
    console.log('render')
    return (
      <>
        <h1 style={{ opacity: this.state.opacity }}>当前数字: {this.state.num}</h1>
        <button onClick={this.add}>数字+1</button>
        <button onClick={this.unmount}>卸载组件</button>
      </>
    )
  }
  // 组件更新后调用
  componentDidUpdate() {
    console.log('componentDidUpdate')
  }
  // 组件挂载后调用,调用一次
  componentDidMount() {
    console.log('componentDidMount')
  }
  // 组件卸载前调用
  componentWillUnmount() {
    console.log('componentWillUnmount')
  }


  // 数字+1调用
  add = () => {
    const { num } = this.state
    this.setState({ num: num + 1 })
  }

  // 卸载组件调用
  unmount = () => {
    root.unmount();
  }
}

9. 示例

  • axios使用
import axios from 'axios'
axios({
  method: 'post',
  url: '/user/12345',
  headers: { Token: 'xxxxx' },
  data: {
    firstName: 'Fred',
    lastName: 'Flintstone'
  }
}).then(
	res => {}
	err => {}
);

// 发起多个并发请求
function getUserAccount() {
  return axios.get('/user/12345');
}

function getUserPermissions() {
  return axios.get('/user/12345/permissions');
}

Promise.all([getUserAccount(), getUserPermissions()])
  .then(function (results) {
    const acct = results[0];
    const perm = results[1];
  });
  • App.js
import React, { Component } from 'react';
import Search from './components/Search'
import List from './components/List'
import { nanoid } from 'nanoid' // nanoid()取uuid
import './App.css'

export default class App extends Component {
  state = {
    data: [],
    isFirstSearch: true,
    loading: false,
    err_msg: ''
  }
  render() {
    return (
      <div className="App">
        <Search updateApp={this.updateApp} /> // 父给子传函数
        <List {...this.state} loading=false />// 父给子传数据
      </div>
    )
  }

  updateApp = (stateOjb) => {
    this.setState(stateOjb)
  }
}
  • Search组件中的 index.jsx
import React, { Component } from 'react'
import axios from 'axios';

export default class Search extends Component {
  render() {
    return (
      <div>
        <input ref={r => this.input = r} type='text' />  // 设置ref 
        <button onClick={this.handleSearch}>Search</button>
      </div>
    )
  }
  handleSearch = () => {
    this.props.updateApp({ isFirstSearch: false, loading: true })
    axios({
      url: `https://api.github.com/search/users?q=${this.input.value}`,
    }).then(
      res => {
        this.props.updateApp({ loading: false, data: res.data.items })
      },
      err => {
        this.props.updateApp({ loading: false, err_msg: err.message })
      }
    )
  }
}
  • List组件中的index.jsx
import React, { Component } from 'react'
import './index.css'

export default class List extends Component {
  render() {
    const { data, isFirstSearch, loading, err_msg } = this.props
    return (
      <div className='list'>
        {
          isFirstSearch ? 'input serach name' :
            loading ? 'loading...' :
              err_msg ? err_msg :
                data.map(item => {
                  return (
                    <div key={item.id}>
                      <img src={item.avatar_url} style={{ width: '100px', height: '100px' }} alt='avatar' />
                      <p>{item.login}</p>
                    </div>
                  )
                })
        }
      </div>
    )
  }
}
  • onChange onClick等传参数的话,用箭头函数直接传参
import React from 'react';
import './index.css'

export default class Item extends React.Component {
  state = { mouse: false }
  render() {
    const { list } = this.props;
    const { mouse } = this.state;
    return (
      <div className='item' style={{ background: mouse ? '#ddd' : '#fff' }} onMouseEnter={() => this.handleMounse(true)} onMouseLeave={() => this.handleMounse(false)}>
        <label htmlFor={list.id}>
          <input type="checkbox" onChange={(e) => this.onChange(e, list.id)} checked={list.isDone} name="" id={list.id} />
          <span>{list.name}</span>
        </label>
        <button onClick={() => this.handleDelete(list.id)} style={{ display: mouse ? 'inline-block' : 'none' }} >删除</button>
         <input type="checkbox" onChange={this.handleCheckbox} checked={checked} name="" id="" />
         // 传参时候不用箭头函数,则需要使用高阶函数去接收参数
         <input type="text" name="username" onChange={this.saveFormdate('username')} />
      </div>
    )
  }

  handleDelete = (id) => {  // 传id
    if (window.confirm('确定删除吗?')) {
      this.props.delTodo(id)
    }
  }
  onChange = (e, id) => {  // 传event和id
    this.props.updateTodo(id, e.target.checked)
  }

  handleMounse = (flag) => {  // 传参
    this.setState({
      mouse: flag
    })
  }
   handleCheckbox = (e) => { //直接拿到event
    this.props.allCheck(e.target.checked)
  }
  // 传参时候不用箭头函数,则需要使用高阶函数去接收参数
  saveFormdate = (params) => {
    return (e) => {
      this.setState({ [params]: e.target.value })
    }
  }
}

10. 使用消息订阅传递数据, 适用于任意组件互传数据

  • 订阅消息, 在componentDidMountcomponentWillUnmount 订阅和取消订阅
import React, { Component } from 'react'
import PubSub from 'pubsub-js'
import './index.css'

export default class List extends Component {
  state = {
    data: [],
    isFirstSearch: true,
    loading: false,
    err_msg: ''
  }
 
  componentDidMount() {
    this.token = PubSub.subscribe('search', (msg, stateObj) => {
      this.setState(stateObj)
    })
  }

  componentWillUnmount(){
    PubSub.unsubscribe(this.token)
  }
  render() {
    const { data, isFirstSearch, loading, err_msg } = this.state
    return (
      <div className='list'>
        {
          isFirstSearch ? 'input serach name' :
            loading ? 'loading...' :
              err_msg ? err_msg :
                data.map(item => {
                  return (
                    <div key={item.id}>
                      <img src={item.avatar_url} style={{ width: '100px', height: '100px' }} alt='avatar' />
                      <p>{item.login}</p>
                    </div>
                  )
                })
        }
      </div>
    )
  }
}
  • 发布消息
import React, { Component } from 'react'
import PubSub from 'pubsub-js'
import axios from 'axios';

export default class Search extends Component {
  render() {
    return (
      <div>
        <input ref={r => this.input = r} type='text' />
        <button onClick={this.handleSearch}>Search</button>
      </div>
    )
  }
  handleSearch = () => {
    PubSub.publish('search', { isFirstSearch: false, loading: true });
    axios({
      url: `https://api.github.com/search/users?q=${this.input.value}`,
    }).then(
      res => {
        PubSub.publish('search', { loading: false, data: res.data.items});
      },
      err => {
        PubSub.publish('search', { loading: false, data: err.message });
      }
    )
  }
}

到了这里,关于[React]面向组件编程的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处: 如若内容造成侵权/违法违规/事实不符,请点击违法举报进行投诉反馈,一经查实,立即删除!

领支付宝红包 赞助服务器费用

相关文章

  • 面向chatgpt编程——编写简单的数据录入工具

    最近业务上有个需求,需要采集某些公司披露的年度报告中的信息,因为 pdf 解析工具的效果不太理想,因此需要人工查找录入到oracle数据库。为了提高效率,我借助chatgpt搭建了一个小型的录入工具以提高录入速度。 我描述了需求后它给出了模板代码,我一步步测试,它一步

    2024年02月07日
    浏览(46)
  • react写一个简单的3d滚轮picker组件

    1. TreeDPicker.tsx文件 原理就不想赘述了, 想了解的话, 网址在: 使用vue写一个picker插件,使用3d滚轮的原理_vue3中支持3d picker选择器插件-CSDN博客 2. scss文件: 3. transition组件(之前写了一篇文章有提到): react简单写一个transition动画组件然后在modal组件中应用-CSDN博客

    2024年02月08日
    浏览(34)
  • 【前端知识】React 基础巩固(三十七)——自定义connect高阶组件

    从这行代码可以看到,目前的connect直接引用了上级目录的store,过于依赖目前既定的store,这样不利于复用。假设另一个项目的store所在位置不在上级目录中,则会出现问题。 为了让所有人都能使用,我们应该把这种“写死”的做法换成让开发者自己传入一个store: 构建一个

    2024年02月15日
    浏览(50)
  • videojs 实现自定义组件(视频画质/清晰度切换) React

    最近使用videojs作为视频处理第三方库,用来对接m3u8视频类型。这里总结一下自定义组件遇到的问题及实现,目前看了许多文章也不全,官方文档写的也不是很详细,自己摸索了一段时间陆陆续续完成了,这是实现后的效果. 样式啥的自己检查后覆盖就行了,没啥说的,重点看

    2024年02月11日
    浏览(69)
  • react18 hooks自定义移动端Popup弹窗组件RcPop

    基于 React18 Hooks 实现手机端弹框组件 RcPop react-popup 基于 react18+hook 自定义多功能弹框组件。整合了 msg/alert/dialog/toast及android/ios 弹窗效果。支持 20+ 自定义参数、 组件式+函数式 调用方式,全方位满足各种弹窗场景需求。 在需要使用弹窗的页面引入组件。 RcPop支持  组件式+函

    2024年02月15日
    浏览(43)
  • React UI组件库——如何快速实现antd的按需引入和自定义主题

    大家上午好呀~ 今天来学习一下React的UI组件库以及antd的使用相关的知识点。 感兴趣的小伙伴可以给个三连哦~ material-ui(国外) ant-design(国内蚂蚁金服) antd 是基于 Ant Design 设计体系的 React UI 组件库,主要用于研发企业级中后台产品。 安装antd组件库: 默认按需引入antd组件

    2024年02月02日
    浏览(38)
  • 【React】如何简单快速地修改antd组件UI内部样式如字体颜色

    最近刚开始学习react 在写一个登录的页面 发现组件的颜色不太合适,默认是黑色字体 那我想修改成白色字体以适应我的页面 运用多种css文件打包策略太过复杂 对我这种小白不友好 两行代码搞定 实现需求 通过:global加上!important 在Umi项目中,在global.less文件夹下面,通过roo

    2024年02月13日
    浏览(48)
  • 前端Vue自定义简单好用商品分类列表组件 侧边栏商品分类组件

    前端Vue自定义简单好用商品分类列表组件 侧边栏商品分类组件 , 下载完整代码请访问uni-app插件市场地址:https://ext.dcloud.net.cn/plugin?id=13148 效果图如下: 使用方法 HTML代码实现部分

    2024年02月10日
    浏览(49)
  • vue 简单实验 自定义组件 传参数 props

    1.代码 2.运行结果  3.备注 注:这里todo-item v-bind:todo=\\\"todo1\\\"/todo-item的\\\"todo1\\\"必须是来自组件的变量名,如果想直接赋值是不行的。  

    2024年02月11日
    浏览(36)
  • vue 简单实验 自定义组件 综合应用 传参数 循环

    1.代码   2.运行结果

    2024年02月11日
    浏览(55)

觉得文章有用就打赏一下文章作者

支付宝扫一扫打赏

博客赞助

微信扫一扫打赏

请作者喝杯咖啡吧~博客赞助

支付宝扫一扫领取红包,优惠每天领

二维码1

领取红包

二维码2

领红包