Обновить состояние компонента от другого в ReactJS - PullRequest
0 голосов
/ 24 октября 2018

Я следую этой статье (оригинальная реализация Sibling Sibling) : Обновление компонента пересечения состояний

Пример работает отлично.Но когда я пытаюсь разделить каждый класс на каждый файл .js, то использую import / export для вызова / связывания друг с другом.Это (состояние обновления) больше не работает.Структура, как это:

Sibling1.js

import React, { Component } from 'react';
<-- some declare style -->

export function updateText(text) {
  this.setState({text})
}

export class Sibling1 extends Component {
  render() {
    return (
      <div>
        <div style={{ ...style.topLabel, color: secondaryColor }}>I am Sibling 1</div>
        <input style={style.textBox} type="text"
               placeholder="Write text" onChange={(e) => updateText(e.target.value)} />
      </div>
    )
  }
} 

Example.js

import React, { Component } from 'react';
import * as sibling1 from './Sibling1'; //is this good?
import {Sibling1} from './Sibling1';    //is this good?

<-- some declare style, variable -->

class Sibling2 extends Component {
  constructor(props) {
    super(props)
    this.state = {
      text: "Initial State"
    }
    sibling1.updateText = sibling1.updateText.bind(this)  //is this good binding?
  }
  render() {
    console.log('Sibling2.state : ', this.state);
    return (
      <div>
        <div style={{ ...style.topLabel, color: primaryColor }}>I am Sibling 2</div>
        <div style={style.label}>{this.state.text}</div>
      </div>
    )
  }
}

class Example3 extends Component {
  render() {
    return (
      <div>
        <Sibling1 />
        <Sibling2 />
      </div>
    )
  }
}

export default Example3;

Я простоожидая, что Sibling1 может изменить состояние Sibling2 (подобно исходной реализации), но не может.Я думаю, что мой bind (this) не связывает правильный контекст.Может кто-нибудь сказать мне, в чем различия между исходной реализацией (статья выше) и моим подходом (отдельно для нескольких файлов .js)?

Ответы [ 2 ]

0 голосов
/ 24 октября 2018

React своего рода заставляет вас использовать односторонний поток данных.Поэтому вы не можете просто обновить состояние Sibling1 из Sibling2.

Как Динеш Пандиан упоминает в своем примере, что у вас обычно будет родительский компонент, который контролирует состояние обоих братьев и сестер.Тогда ваш код будет выглядеть так:

Sibling1.js

import React, { Component } from 'react';
<-- some declare style -->

export class Sibling1 extends Component {
  function updateText(text) {
    // Use updateText function from props.
    // Props are like state but not controlled by the component itself
    // The value is passed to the component from outside
    this.props.updateText(text)
  }

  render() {
    return (
      <div>
        <div style={{ ...style.topLabel, color: secondaryColor }}>I am Sibling 1</div>
        <input style={style.textBox} type="text"
               placeholder="Write text" 
               onChange={(e) => this.updateText(e.target.value).bind(this)} />
      </div>
    )
  }
} 

Example.js

import React, { Component } from 'react';
import { Sibling1 } from './Sibling1';    // This is good.
import Sibling1 from './Sibling1'; // This is also possible if you use export default class instead of export class

<-- some declare style, variable -->

class Sibling2 extends Component {
  // Use same function as in Sibling1.
  function updateText(text) {
      this.props.updateText(text)
  }

  render() {
    return (
      <div>
        <div style={{ ...style.topLabel, color: primaryColor }}>I am Sibling 2</div>
        <div style={style.label}>{this.props.text}</div> // changed state to props
      </div>
    )
  }
}

class Example3 extends Component {
  constructor(props) {
    super(props);


    this.state = {
      text: "Initial state"
    };
  }

  // Control state from parent component
  function updateText(
    this.setState({ text: text });
  }

  render() {
    return (
      <div>
        <Sibling1 updateText={this.updateText.bind(this)}/>
        <Sibling2 updateText={this.updateText.bind(this)} text={this.state.text} />
      </div>
    )
  }
}

export default Example3;
0 голосов
/ 24 октября 2018

updateText() должен быть привязан к компоненту.Я не уверен, чего вы здесь добиваетесь, но updateText() может не работать в Sibling1 при изменении контекста.

Вы можете попробовать связать updateText() в обоих компонентах (уже связанных в Sibling2).

import React, { Component } from 'react';

export function updateText(text) {
  this.setState({text})
}

export class Sibling1 extends Component {
  constructor() {
    updateText = updateText.bind(this)
  }
  render() {
    return (
      <div>
        <div style={{ ...style.topLabel, color: secondaryColor }}>I am Sibling 1</div>
        <input style={style.textBox} type="text"
               placeholder="Write text" onChange={(e) => updateText(e.target.value)} />
      </div>
    )
  }
}

Обычно состояние контролируется в родительском компоненте, если два дочерних компонента должны совместно использовать состояние и только обработчик передается детям.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...