自动向下滚动到下一个列表组项并在移动视图的中心显示内容 (React)

IT技术 javascript reactjs bootstrap-4
2021-05-28 04:56:29

1) 我正在尝试自动滚动到列表组中的下一项。例如,如果用户回答第一个问题,它应该自动滚动到第二个问题。(React) 和 onSubmit 它应该滚动到第一个未回答的问题
2) 当用户在移动视图中查看此列表时,YES 或 NO 单选按钮应显示在中心以及提交和清除按钮 (BOOTSTRAP)
3) 如何知道哪个项目从下拉列表中选择并显示在控制台中。

代码

1个回答

有多种方法可以实现这一点。一种方法是通过“vanilla js”添加一个滚动到表单中项目的方法,然后在两个onInputChangedononSubmut方法中使用它

你可以在你的组件中定义这个函数:

  // Scrolls the list to a list item by list item index
  scrollToItemByIndex = (index) => {

    // Find the list item element (by index), and scroll wrapper element 
    const scrollItem = document.querySelector(`[scrollIndex="${ (index) }"]`)
    const scrollWrapper = document.querySelector(`[scrollWrapper="scrollWrapper"]`)

    if(scrollItem && scrollWrapper) {

      // If list item found in DOM, get the top offset
      const itemRect = scrollItem.offsetTop // [UPDATED]
      const wrapperRect = scrollWrapper.offsetTop // [UPDATED]

      // Scroll the wrapper to the offset of the list item we're scrolling to
      scrollWrapper.scrollTo(0, itemRect - wrapperRect)
    }
  }

onInputChange然后可以按如下方式更新您的函数:

 onInputChange = ({ target }) => {
    const { cards } = this.state;
    const { options } = this.state;

    const nexState = cards.map((card, index) => {
      if (card.cardName !== target.name) return card;

      const options = card.options.map(opt => {
        const checked = opt.radioName === target.value;
        return {
          ...opt,
          selected: checked
        }
      })

      // [ADD] When input changes (ie something is set), scroll to next item
      this.scrollToItemByIndex( index + 1 )

      const style = options.every(option => !option.selected) ? 'danger' : 'info'

      return {
        ...card,
        style,
        options
      }
    });
    this.setState({ cards: nexState })
  }

此外,您onSubmit将被更新以滚动到任何无效的表单项:

 onSubmit = () => {

    this.state.cards.forEach((card, index) => {
      var invalid = card.options.every(option => !option.selected)
      if (invalid) {
        card.style = 'danger'

        // [ADD] this item has invalid input, so scroll to it
        this.scrollToItemByIndex(index)

      }
      else {
        card.style = 'info'
      }
    });

    ...
 }

最后,您需要使用以下内容更新组件的渲染方法,以确保上面的查询选择器正确运行:

<ul class="nav nav-pills nav-stacked anyClass" scrollWrapper="scrollWrapper">

和:

{cards.map((card, idx) => (<ListGroup bsStyle="custom" scrollIndex={idx}>
    ... 
</  ListGroup   >)}

[更新] 完整的工作示例可以在这里找到:https : //stackblitz.com/edit/react-z7nhgd?file=index.js

希望这可以帮助!