首页 > 代码库 > python(4)
python(4)
>>> for n in range(2, 10):... for x in range(2, n):... if n % x == 0:... print(n, ‘equals‘, x, ‘*‘, n//x)... break... else:... # loop fell through without finding a factor... print(n, ‘is a prime number‘)...2 is a prime number3 is a prime number4 equals 2 * 25 is a prime number6 equals 2 * 37 is a prime number8 equals 2 * 49 equals 3 * 3
parrot() # required argument missingparrot(voltage=5.0, ‘dead‘) # non-keyword argument after a keyword argument 不能在赋值后用非赋值。 可以颠倒。parrot(110, voltage=220) # duplicate value for the same argumentparrot(actor=‘John Cleese‘) # unknown keyword argument
Use 4-space indentation, and no tabs.
4 spaces are a good compromise between small indentation (allows greater nesting depth) and large indentation (easier to read). Tabs introduce confusion, and are best left out.
Wrap lines so that they don’t exceed 79 characters.
This helps users with small displays and makes it possible to have several code files side-by-side on larger displays.
Use blank lines to separate functions and classes, and larger blocks of code inside functions.
When possible, put comments on a line of their own.
Use docstrings.
Use spaces around operators and after commas, but not directly inside bracketing constructs:
a = f(1, 2) + g(3, 4)
.Name your classes and functions consistently; the convention is to use
CamelCase
for classes andlower_case_with_underscores
for functions and methods. Always useself
as the name for the first method argument (see A First Look at Classes for more on classes and methods).Don’t use fancy encodings if your code is meant to be used in international environments. Python’s default, UTF-8, or even plain ASCII work best in any case.
Likewise, don’t use non-ASCII characters in identifiers if there is only the slightest chance people speaking a different language will read or maintain the code.
python(4)