Size: 1517
Comment:
|
Size: 1961
Comment:
|
Deletions are marked like this. | Additions are marked like this. |
Line 51: | Line 51: |
= Let all exception classes inherit from Exception = From Python 3.0, all exceptions must be derived from Base''''''Exception, which will be the base class for Keyboard''''''Interrupt, System''''''Exit and Exception from Python 2.5. See http://www.python.org/peps/pep-0352.html '''When defining new exception classes, always inherit (directly or indirectly) from Exception''' {{{ class MyException(Excption): pass }}} |
Python is a mature language, but it hasn't stopped evolving, and there are some issues to consider when coding Python, if you want your code to work with the latest version of Python in five five years from now...
True Division
Since the beginning, Python has yielded an integer result when two integers are divided, e.g. 3/2 => 1. While correct if we assume that dividing integers means integers division (the remainder is accessible through the modulo operator %) it's not always obvious to beginners. This behaviour will change in a future Python version, so that a/b with yield a float as a result regardless of the types of the numbers a and b, and a new floor division operator // will perform integer division. See See http://www.python.org/peps/pep-0238.html
Use true and floor division in new code
from __future__ import division # Enable the new behaviour f = 3/2 # 1.5 i = 3//2 # 1
New style classes
Currently, there are two kinds of classes in Python. The 'classic' or old style classes, and the new style classes. Old style classes will go away in some future version, and while most code will still work when the default swaps from old style to new style, there are some differences in semantics, and the new style classes have some extra features. See http://www.python.org/doc/newstyle.html
Use new style classes in new code
Don't write
class X: pass
Write
class X(object): pass
Let all exception classes inherit from Exception
From Python 3.0, all exceptions must be derived from BaseException, which will be the base class for KeyboardInterrupt, SystemExit and Exception from Python 2.5. See http://www.python.org/peps/pep-0352.html
When defining new exception classes, always inherit (directly or indirectly) from Exception
class MyException(Excption): pass