如何从父级更新子级(从创建的列表中)的道具

时间:2019-06-01 12:37:57

标签: javascript reactjs

这可能涉及其他相关的一般性问题,例如如何从父级更新子级组件,尽管我想听听我对以下情况的设计解决方案的公正判断。

我有一个父类,我在其中存储2个子对象的css属性。

import React from 'react'
import Item from './item/Item'

class Small_gallery extends React.Component {
  constructor(props) {
    super(props);
    this.state = {
      chosenVal: 0,
    };

    this.listObjParams = [
    // Style 1
      {
        left: 300,
        zIndex: 0
      },
     //Style 2
      {
        left: 320,
        zIndex: 1
      }
    ];

    this.handleClick = this.handleClick.bind(this);
    this.calculateShift = this.applyNewStyle.bind(this);
    this.listItems = this.listObjParams.map((objStyle, i) =>
        <Item
            key={i}
            id={i}
            objStyle={objStyle}
            onClick={this.handleClick}
        />
    );
  }

  handleClick = (indexFromChild) => {
    this.setState({chosenVal: indexFromChild});
    this.applyNewStyle(indexFromChild)
  };

  applyNewStyle = (clickedIndex) => {
   if (clickedIndex === 0) {
   // somehow I want to apply new css style 2 to the clicked? <Item> child
  };
  render() {
    return (
        <div>
          {this.listItems}
        </div>
    )
  }

子组件相当简单:

class Item extends React.Component {
  constructor(props) {
    super(props)
  }

  render() {
    return (
        <div
            onClick={(e) => {
              e.preventDefault();
              this.props.onClick(this.props.id)
            }}
            style={{
              left: this.props.objStyle.left,
              zIndex: this.props.objStyle.zIndex
            }}
        >
        </div>
    );
  }
}

问题是:如何将样式1或样式2应用于单击的Item组件(取决于我返回的索引)?我在https://hackernoon.com/replacing-componentwillreceiveprops-with-getderivedstatefromprops-c3956f7ce607读过有关getDerivedStateFromProps的信息,而不是使用不推荐使用的componentWillReceiveProps,但这对我来说不是一个解决方案。

我希望将来创建的商品数会增加到10-20,因此在创建商品时用this.listObjParams填充商品状态是没有意义的,还是我错了?

3 个答案:

答案 0 :(得分:0)

对于<Item/>,您可以使用简单的功能组件。最适合简单而不是那么复杂的用例。

例如

const Item = ({ id, clickHandler, objStyle }) => (
  <div
    onClick={e => {
      e.preventDefault();

      clickHandler(id);
    }}
    style={...objStyle}
  />
);

PureComponent也将根据道具变更进行更新。

在完整的类组件中,您可以使用shouldComponentUpdate()强制更改道具更改。无需使用getDerivedStateFromProps(取决于用例)来复制数据(进入状态)。

搜索一些教程(例如典型的待办事项示例),因为您不了解状态管理,更新等。

listObjParams之外放置state不会在更新时强制重新呈现。顺便说一句,它看起来更像是一个样式池-也许您应该有一个子params数组...您可以将其与样式索引数组结合使用,也可以单独保留它们(并作为道具传递)。

  constructor(props) {
    super(props);
    this.state = {
      // chosenVal: 0, // temporary handler param? probably no need to store in the state
      listObjStyles: [0, 1] // style indexes
    };

    this.stylePool = [
    // Style 1
      {
        left: 300,
        zIndex: 0
      },
     //Style 2
      {
        left: 320,
        zIndex: 1
      }
    ];

用法:

this.listItems = this.state.listObjStyles.map((styleIndex, i) => <Item
        key={i}
        id={i}
        objStyle={this.stylePool[ styleIndex ]}
        clickHandler={this.handleClick}
    />

更新listObjStylessetState())将强制重新渲染,而不会更新this.stylePool(如果需要重新渲染,则移动到state)。

当然stylePool可以为不同的项目“状态”包含2种以上的样式。您可以为选定的,喜欢的,与众不同的样式制作样式-通过将索引存储在数组中,可以将它们中的任何一个与自定义逻辑混合(例如,只有一个选定的,很多喜欢的)。

10-20个项目不是您需要特殊优化(避免避免不必要的重新呈现)的情况。

答案 1 :(得分:0)

下面我有一个工作示例,以便介绍我所做的事情:

  • 创建一个道具,该道具需要一系列物品,会出现更多<Item />个循环的物品。
  • 样式是activeStyles || inactiveStyles,它是基于currentId与对象ID(来自数组prop = items)匹配的。
import React from "react";

const inactiveStyles = {
  left: 300,
  zIndex: 0,
  backgroundColor: "#E9573F"
};

const activeStyles = {
  left: 320,
  zIndex: 1,
  backgroundColor: "#00B1E1"
};

const inboundItems = [
  {
    id: 0
  },
  {
    id: 1
  },
  {
    id: 2
  }
];

// Note - added to show it working not needed
const defaultStyles = {
  display: "block",
  border: "1px solid black",
  width: 50,
  height: 50
};

export const Item = ({ id, onClick, style }) => (
  <>
    <pre>{JSON.stringify({ styles: style }, null, 2)}</pre>

    <div
      {...{ id }}
      style={{ ...defaultStyles, ...style }}
      onClick={e => {
        e.preventDefault();

        onClick(id);
      }}
    />
  </>
);

export const SmallGallery = ({ items = inboundItems }) => {
  const [currentId, setCurrentId] = React.useState(null);

  const getStyles = selectedId => {
    return currentId === selectedId ? activeStyles : inactiveStyles;
  };

  return items.map(({ id, ...item }) => (
    <Item
      key={id}
      {...{ id }}
      {...item}
      style={getStyles(id)}
      onClick={selectedId => setCurrentId(selectedId)}
    />
  ));
};

export default SmallGallery;

让我知道您的想法,我添加了一个屏幕截图以显示要添加的样式。

<SmallGallery /> working

答案 2 :(得分:0)

仅基于两个答案总结我所做的所有工作(仍然是一个很有趣的例子):

父母:

import Item from './item/Item'

class Small_gallery extends React.Component {
  constructor(props) {
    super(props);
    this.state = {
      listObjStyles: [0, 1]
    };

    this.stylePool = [
      {
        position: 'absolute',
        width: 600,
        left: 300,
        height: 100,
        backgroundColor: '#000',
        zIndex: 0,
        transition: 'all 1s ease'
      },
      {
        position: 'absolute',
        width: 600,
        left: 720,
        height: 350,
        backgroundColor: '#ccc',
        zIndex: 1,
        transition: 'all 2s ease'
      }]
}

  handleClick = (indexFromChild) => {
    console.log(indexFromChild)
    if (indexFromChild === 0) {
      this.setState({
        listObjStyles: [1, 0]
      })
    } else if (indexFromChild === 1) {
      this.setState({
        listObjStyles: [0, 1]
      })
    }
}
render() {
    return (
      <>
        <div style={{display: 'flex', margin: 40}}>
          {this.state.listObjStyles.map((styleIndex, i) =>
              <Item
                  key={i}
                  id={i}
                  objStyle={this.stylePool[styleIndex]}
                  onClick={this.handleClick}
              />
          )}
        </div>
      </>)
  }
}

孩子:

const Item = ({id, onClick, objStyle}) => (
  <div
    onClick={e => {
      e.preventDefault();
      onClick(id)
    }}
    style={{...objStyle}}
  />
);

export default Item