This issue tracker has been migrated to GitHub, and is currently read-only.
For more information, see the GitHub FAQs in the Python's Developer Guide.

classification
Title: Incorrect Return Values for any() and all() Built-in Functions
Type: behavior Stage: resolved
Components: Library (Lib) Versions: Python 3.5
process
Status: closed Resolution: not a bug
Dependencies: Superseder:
Assigned To: Nosy List: Sreenivasulu Saya, steven.daprano, tim.peters
Priority: normal Keywords:

Created on 2015-09-29 04:05 by Sreenivasulu Saya, last changed 2022-04-11 14:58 by admin. This issue is now closed.

Messages (4)
msg251816 - (view) Author: Sreenivasulu Saya (Sreenivasulu Saya) Date: 2015-09-29 04:05
The results displayed by the any() and all() is incorrect (differs from what is documented and what makes sense).

Here is the code:
-----------------
multiples_of_6 = (not (i % 6) for i in range(1, 10))

print("List: ", list(multiples_of_6 ), "\nAny: ", any(multiples_of_6),
        "\nAll: ", all(multiples_of_6))
---------------

The distribution in use is:
Python 3.5.0 (v3.5.0:374f501f4567, Sep 13 2015, 02:27:37) [MSC v.1900 64 bit (AMD64)] on win32

Here is the output on Windows7:
-------------------------------
List:  [False, False, False, False, False, True, False, False, False]
Any:  False    <<<<< This should be True
All:  True     <<<<< This should be False
msg251817 - (view) Author: Steven D'Aprano (steven.daprano) * (Python committer) Date: 2015-09-29 04:11
Not a bug. You have used a generator expression, so it is exhausted once 
you have run over it once using list(). Then, you run over it again with 
any() and all(), but they don't see any values so return the default 
value.

Change the generator expression to a list comprehension [ ... ] and you 
will get the results you want.
msg251818 - (view) Author: Tim Peters (tim.peters) * (Python committer) Date: 2015-09-29 04:12
You wholly consume the iterator after the first time you apply `list()` to it.  Therefore both `any()` and `all()` see an empty iterator, and return the results appropriate for an empty sequence:

>>> multiples_of_6 = (not (i % 6) for i in range(1, 10))
>>> list(multiples_of_6)
[False, False, False, False, False, True, False, False, False]
>>> list(multiples_of_6)  # note:  the iterator is exhausted!
[]
>>> any([])
False
>>> all([])
True
msg251872 - (view) Author: Sreenivasulu Saya (Sreenivasulu Saya) Date: 2015-09-29 16:52
Thanks Steven and Tim for the comments. Today, I learnt something about Python.
History
Date User Action Args
2022-04-11 14:58:21adminsetgithub: 69448
2015-09-29 16:52:45Sreenivasulu Sayasetmessages: + msg251872
2015-09-29 04:44:22zach.waresetstatus: open -> closed
components: + Library (Lib), - Build
2015-09-29 04:12:56tim.peterssetnosy: + tim.peters
messages: + msg251818

resolution: not a bug
stage: resolved
2015-09-29 04:11:28steven.dapranosetnosy: + steven.daprano
messages: + msg251817
2015-09-29 04:05:54Sreenivasulu Sayacreate