85

Why doesn't this work as one may have naively expected?

class Foo(object):
    def __init__(self):
        self.bar = 3
    def __bool__(self):
        return self.bar > 10

foo = Foo()

if foo:
    print 'x'
else:
    print 'y'

(The output is x)

wim
  • 338,267
  • 99
  • 616
  • 750
  • Related: [Boolean value of objects in Python](https://stackoverflow.com/q/1087135/674039) – wim Jan 15 '23 at 20:09

3 Answers3

83

For Python 2-3 compatibility, add a line after the class definition block to alias the method:

class Foo(object):
    ...

Foo.__nonzero__ = Foo.__bool__

or include the alias directly in the class definition:

class Foo(object):
    def __bool__(self):
        ...

    __nonzero__ = __bool__

Of course this would also work the other way around, but I think the name __nonzero__ is just a legacy of the original C-ishness of Python's interpretation of objects as truthy or falsy based on their equivalence with zero. Just add the statement above and the code will work with regardless of the version of Python (and the __nonzero__ definition can be dropped when support for 2.x is no longer needed).

wim
  • 338,267
  • 99
  • 616
  • 750
PaulMcG
  • 62,419
  • 16
  • 94
  • 130
  • Where would these insertions go? I'm guessing the first could go immediately after the line `return self.bar > 10` (indented 0 spaces) and that the second could go immediately before the line `def __init__(self):` (indented 4 spaces). Is that correct? Or would the second have to go _after_ the `__bool__` definition? – Beetle Sep 22 '15 at 11:24
75

The __bool__ method is used only in Python 3.x. For 2.x, use __nonzero__.

Karl Knechtel
  • 62,466
  • 11
  • 102
  • 153
Cat Plus Plus
  • 125,936
  • 27
  • 200
  • 224
  • 1
    right, strange but true. good to see they changed implementation to the 'one obvious way to do it' – wim Nov 22 '11 at 06:18
  • 7
    @wim: Not too strange. The `__nonzero__()` method name considerably predates the introduction of the type `bool` in Python. Before `bool`, the just use the integers `0` and `1`. – Sven Marnach Nov 22 '11 at 23:02
  • 3
    @SvenMarnach: You guys had `0` and `1`? [Dilbert](http://dilbert.com/strips/comic/1992-09-08/) ;-) – JS. Oct 17 '14 at 00:57
26

Because the corresponding special method is called __nonzero__() in Python 2, and not __bool__() until Python 3.

Cody Piersall
  • 8,312
  • 2
  • 43
  • 57
Sven Marnach
  • 574,206
  • 118
  • 941
  • 841