Common Gotchas

https://d33wubrfki0l68.cloudfront.net/f15cf03ffa1e6648c43936d1c96e0deb0acae7af/0b6a3/_images/34435688380_b5a740762b_k_d.jpg
For the most part, Python aims to be a clean and consistent language thatavoids surprises. However, there are a few cases that can be confusing tonewcomers.

Some of these cases are intentional but can be potentially surprising. Somecould arguably be considered language warts. In general, what followsis a collection of potentially tricky behavior that might seem strange at firstglance, but is generally sensible once you’re aware of the underlying cause forthe surprise.

Mutable Default Arguments

Seemingly the most common surprise new Python programmers encounter isPython’s treatment of mutable default arguments in function definitions.

What You Wrote

  1. def append_to(element, to=[]):
  2. to.append(element)
  3. return to

What You Might Have Expected to Happen

  1. my_list = append_to(12)
  2. print(my_list)
  3.  
  4. my_other_list = append_to(42)
  5. print(my_other_list)

A new list is created each time the function is called if a second argumentisn’t provided, so that the output is:

  1. [12]
  2. [42]

What Does Happen

  1. [12]
  2. [12, 42]

A new list is created once when the function is defined, and the same list isused in each successive call.

Python’s default arguments are evaluated once when the function is defined,not each time the function is called (like it is in say, Ruby). This means thatif you use a mutable default argument and mutate it, you will and havemutated that object for all future calls to the function as well.

What You Should Do Instead

Create a new object each time the function is called, by using a default arg tosignal that no argument was provided (None is often a good choice).

  1. def append_to(element, to=None):
  2. if to is None:
  3. to = []
  4. to.append(element)
  5. return to

Do not forget, you are passing a list object as the second argument.

When the Gotcha Isn’t a Gotcha

Sometimes you can specifically “exploit” (read: use as intended) this behaviorto maintain state between calls of a function. This is often done when writinga caching function.

Late Binding Closures

Another common source of confusion is the way Python binds its variables inclosures (or in the surrounding global scope).

What You Wrote

  1. def create_multipliers():
  2. return [lambda x : i * x for i in range(5)]

What You Might Have Expected to Happen

  1. for multiplier in create_multipliers():
  2. print(multiplier(2))

A list containing five functions that each have their own closed-over ivariable that multiplies their argument, producing:

  1. 0
  2. 2
  3. 4
  4. 6
  5. 8

What Does Happen

  1. 8
  2. 8
  3. 8
  4. 8
  5. 8

Five functions are created; instead all of them just multiply x by 4.

Python’s closures are late binding.This means that the values of variables used in closures are lookedup at the time the inner function is called.

Here, whenever any of the returned functions are called, the value of iis looked up in the surrounding scope at call time. By then, the loop hascompleted and i is left with its final value of 4.

What’s particularly nasty about this gotcha is the seemingly prevalentmisinformation that this has something to do with lambdasin Python. Functions created with a lambda expression are in no way special,and in fact the same exact behavior is exhibited by just using an ordinarydef:

  1. def create_multipliers():
  2. multipliers = []
  3.  
  4. for i in range(5):
  5. def multiplier(x):
  6. return i * x
  7. multipliers.append(multiplier)
  8.  
  9. return multipliers

What You Should Do Instead

The most general solution is arguably a bit of a hack. Due to Python’saforementioned behavior concerning evaluating default arguments to functions(see Mutable Default Arguments), you can create a closure that binds immediately toits arguments by using a default arg like so:

  1. def create_multipliers():
  2. return [lambda x, i=i : i * x for i in range(5)]

Alternatively, you can use the functools.partial function:

  1. from functools import partial
  2. from operator import mul
  3.  
  4. def create_multipliers():
  5. return [partial(mul, i) for i in range(5)]

When the Gotcha Isn’t a Gotcha

Sometimes you want your closures to behave this way. Late binding is good inlots of situations. Looping to create unique functions is unfortunately a casewhere they can cause hiccups.

Bytecode (.pyc) Files Everywhere!

By default, when executing Python code from files, the Python interpreterwill automatically write a bytecode version of that file to disk, e.g.module.pyc.

These .pyc files should not be checked into your source code repositories.

Theoretically, this behavior is on by default for performance reasons.Without these bytecode files present, Python would re-generate the bytecodeevery time the file is loaded.

Disabling Bytecode (.pyc) Files

Luckily, the process of generating the bytecode is extremely fast, and isn’tsomething you need to worry about while developing your code.

Those files are annoying, so let’s get rid of them!

  1. $ export PYTHONDONTWRITEBYTECODE=1

With the $PYTHONDONTWRITEBYTECODE environment variable set, Python willno longer write these files to disk, and your development environment willremain nice and clean.

I recommend setting this environment variable in your ~/.profile.

Removing Bytecode (.pyc) Files

Here’s nice trick for removing all of these files, if they already exist:

  1. $ find . -type f -name "*.py[co]" -delete -or -type d -name "__pycache__" -delete

Run that from the root directory of your project, and all .pyc fileswill suddenly vanish. Much better.

Version Control Ignores

If you still need the .pyc files for performance reasons, you can always add themto the ignore files of your version control repositories. Popular version controlsystems have the ability to use wildcards defined in a file to apply specialrules.

An ignore file will make sure the matching files don’t get checked into the repository.Git uses .gitignore while Mercurial uses .hgignore.

At the minimum your ignore files should look like this.

  1. syntax:glob # This line is not needed for .gitignore files.
  2. *.py[cod] # Will match .pyc, .pyo and .pyd files.
  3. __pycache__/ # Exclude the whole folder

You may wish to include more files and directories depending on your needs.The next time you commit to the repository, these files will not be included.

原文: https://docs.python-guide.org/writing/gotchas/