TypeError: ‘bool’ 对象在 Python 中不可迭代

TypeError: ‘bool’ 对象在 Python 中不可迭代

TypeError: ‘bool’ object is not iterable in Python

Python“TypeError: ‘bool’ object is not iterable”发生在我们尝试迭代布尔值(TrueFalse)而不是可迭代对象(例如列表)时。要解决该错误,请找到为变量分配布尔值的位置并更正分配。

typeerror bool 对象不可迭代

下面是错误如何发生的示例。

主程序
my_bool = True # ⛔️ TypeError: 'bool' object is not iterable for i in my_bool: print(i)

我们正在尝试迭代布尔值 ( Trueor False),但布尔值是不可迭代的。

您必须弄清楚该值是如何分配给布尔值的,并将分配更正为可迭代对象,例如列表、字符串、元组等。

确保您没有错误地将可迭代对象重新分配给某处的布尔值。

主程序
my_list = ['a', 'b', 'c'] # 👇️ reassigned to boolean value by mistake my_list = True # ⛔️ TypeError: 'bool' object is not iterable for i in my_list: print(i)

我们最初将my_list变量设置为列表,但后来将其重新分配给导致错误的布尔值。

错误的另一个常见原因是将布尔值传递给内置构造函数,例如list()dict() tuple()set()

以下 4 次对内置构造函数的调用导致错误。

主程序
my_bool = False # ⛔️ TypeError: 'bool' object is not iterable list(my_bool) dict(my_bool) tuple(my_bool) set(my_bool)

要解决错误,我们必须更正赋值并找出布尔值的来源。

以下是使用 4 个内置函数的工作示例。

主程序
l = list(['a', 'b', 'c']) print(l) # 👉️ ['a', 'b', 'c'] d = dict(name='Alice', age=30) print(d) # 👉️ {'name': 'Alice', 'age': 30} t = tuple([1, 2, 3]) print(t) # 👉️ (1, 2, 3) s = set(['a', 'b', 'a']) print(s) # 👉️ {'a', 'b'}

您必须找出布尔值的来源并更正分配。

If you need to check if an object is iterable, use a try/except statement.

main.py
my_str = 'hello' try: my_iterator = iter(my_str) for i in my_iterator: print(i) # 👉️ h, e, l, l, o except TypeError as te: print(te)

The iter() function
raises a TypeError if the passed in value doesn’t support the __iter__()
method or the sequence protocol (the __getitem__() method).

If we pass a non-iterable object like a boolean to the iter() function, the
except block is run.

main.py
my_bool = False try: my_iterator = iter(my_bool) for i in my_iterator: print(i) except TypeError as te: print(te) # 👉️ 'bool' object is not iterable

Examples of iterables include all sequence types (list, str, tuple) and
some non-sequence types like dict, file objects and other objects that define
an __iter__() or a __getitem__() method.

Conclusion #

Python“TypeError: ‘bool’ object is not iterable”发生在我们尝试迭代布尔值(TrueFalse)而不是可迭代对象(例如列表)时。要解决该错误,请找到为变量分配布尔值的位置并更正分配。