开发者问题收集

访问上下文状态时出现迭代器错误

2020-09-12
241

我在 React Native 中遇到以下代码时出现此错误:

Invalid attempt to destructure non-iterable instance. In order to be iterable, non-array object must have a [symbol.iterator]() method

counter-context.js

import React, {useState, createContext} from 'react'

export const CounterContext = createContext();

export const CounterContextProvider = props => {
  const [count, setCount] = useState(0)

  return (
    <CounterContext.Provider value={[count, setCount]}>
      {props.children}
    </CounterContext.Provider>
  );
}

counter-display.js

import React, { useContext } from 'react';
import { View, Text, StyleSheet } from 'react-native';
import { CounterContext, CounterContextProvider } from '../context/counter-context';

export default function Counter() {
    const [count] = useContext(CounterContext);
    
    return (
        <CounterContextProvider>
            <View style={styles.sectionContainer}>
                <Text style={styles.sectionTitle}>{count}</Text>
            </View>
        </CounterContextProvider>
    )
}

const styles = StyleSheet.create({
    sectionContainer: {
        flex: 1,
        padding: 24,
    }

App.js

<SafeAreaView>
        <ScrollView
          contentInsetAdjustmentBehavior="automatic"
          style={styles.scrollView}>
          <View style={styles.body}>
            <Counter/>
          </View>
        </ScrollView>
      </SafeAreaView>

原因是什么?似乎在 React 中有效。

1个回答

您的 usecontext(counterContext) 在不是 &lt; counterContextProvider&gt; 后代的组件中存在调用。 &lt; counter -contextProvider&gt; 需要是 &lt; counter&gt; 的祖先,而不是后代。

,因为您要获得的错误消息,这是由于“分配”语句 const [count] = usecontext(counterContext); 中的数组破坏性语法构成了对返回值的 [symber.iterator]() 代码>方法,如果存在。由于范围中没有提供商,并且在没有传递默认值的情况下创建了上下文,因此您实际上是在评估 const [count] = undefined;

Patrick Roberts
2020-09-12