使用React手写一个对话框或模态框

31次阅读

共计 1353 个字符,预计需要花费 4 分钟才能阅读完成。

打算用 React 写对话框已经很长一段时间,现在是时候兑现承诺了。实际上,写起来相当简单。

核心在于使用 React 的接口 React.createPortal(element, domContainer)。该接口将element 渲染后的 DOM 节点嵌入domContainer(通常是document.body),并保证只嵌入一次。

欢迎订阅我的博客。

所以,我们可以这样写一个对话框或模态框:

function Dialog() {return React.createPortal( <div>Dialog contents</div>, document.body)
}

一个新的 div 会出现在 body 内部:

一个完整 DEMO:


点击运行 DEMO


class Modal extends React.Component {render() {
    const {
      visible,
      onClose
    } = this.props
    return visible && ReactDOM.createPortal(<StyledModalRoot>
      <div className="box">
        Content
        <br/>
        <button onClick={onClose}>Close</button>
      </div>
    </StyledModalRoot>, document.body)
  }
}

class App extends React.Component {
  state = {visibleModal: false}
  showModal = () => this.setState( { visibleModal: true} )
  handleCloseModal = () => this.setState( { visibleModal: false} )
  render() {const { visibleModal} = this.state
    return <div style={{padding: '20px'}}>
    <button onClick={this.showModal}>Show Modal</button>
    <Modal visible={visibleModal} onClose={this.handleCloseModal} />
  </div>
  }
}

const StyledModalRoot = styled.div`
  position: fixed;
  z-index: 1001;
  left: 0;
  top: 0;
  display: grid;
  place-items: center;
  width: 100%;
  height: 100%;
  background: rgba(0, 0, 0, 0.2);

  >.box {
    position: relative;
    display: grid;
    place-items: center;
    width: 80%;
    height: 80%;
    background: white;
    border-radius: 10px;
    box-shadow: 0px 3px 5px -1px rgba(0,0,0,0.2), 0px 5px 8px 0px rgba(0,0,0,0.14), 0px 1px 14px 0px rgba(0,0,0,0.12);
  }
`

感谢你花时间阅读这篇文章。如果你喜欢这篇文章, 欢迎点赞、收藏和分享,让更多的人看到这篇文章,这也是对我最大的鼓励和支持!
欢迎在 Star 和订阅我的原创前端技术博客。

正文完
 0