4. The absolute basics
Chapter 4. The absolute basics
This chapter describes the absolute basics in Python: how to use assignments and expressions, how to type a number or a string, how to indicate comments in code, and so forth. It starts with a discussion of how Python block structures its code, which differs from every other major language.
4.1. Indentation and block structuring
Python differs from most other programming languages because it uses whitespace and indentation to determine block structure (that is, to determine what constitutes the body of a loop, the else clause of a conditional, and so on). Most languages use braces of some sort to do this. Here is C code that calculates the factorial of 9, leaving the result in the variable r:
The braces delimit the body of the while loop, the code that is executed with each repetition of the loop. The code is usually indented more or less as shown, to make clear whatâs going on, but it could also be written like this:
The code still would execute correctly, even though itâs rather difficult to read.
Hereâs the Python equivalent:
Python doesnât use braces to indicate code structure; instead, the indentation itself is used. The last two lines of the previous code are the body of the while loop because they come immediately after the while statement and are indented one level further than the while statement. If those lines werenât indented, they wouldnât be part of the body of the while.
Using indentation to structure code rather than braces may take some getting used to, but there are significant benefits:
Itâs impossible to have missing or extra braces. You never need to hunt through your code for the brace near the bottom that matches the one a few lines from the top.
The visual structure of the code reflects its real structure, which makes it easy to grasp the skeleton of code just by looking at it.
Python coding styles are mostly uniform. In other words, youâre unlikely to go crazy from dealing with someoneâs idea of aesthetically pleasing code. Everyoneâs code will look pretty much like yours.
You probably use consistent indentation in your code already, so this wonât be a big step for you. If youâre using IDLE, it automatically indents lines. You just need to backspace out of levels of indentation when desired. Most programming editors and IDEsâEmacs, VIM, and Eclipse, to name a fewâprovide this functionality as well. One thing that may trip you up once or twice until you get used to it is the fact that the Python interpreter returns an error message if you have a space (or spaces) preceding the commands you enter at a prompt.
4.2. Differentiating comments
For the most part, anything following a # symbol in a Python file is a comment and is disregarded by the language. The obvious exception is a # in a string, which is just a character of that string:
Youâll put comments in Python code frequently.
4.3. Variables and assignments
The most commonly used command in Python is assignment, which looks pretty close to what you mightâve used in other languages. Python code to create a variable called x and assign the value 5 to that variable is
In Python, unlike in many other computer languages, neither a variable type declaration nor an end-of-line delimiter is necessary. The line is ended by the end of the line. Variables are created automatically when theyâre first assigned.
VARIABLES IN PYTHON: BUCKETS OR LABELS?
The name variable is somewhat misleading in Python; name or label would be more accurate. However, it seems that pretty much everyone calls variables variables at some time or another. Whatever you call them, you should know how they really work in Python.
A common, but inaccurate, explanation is that a variable is a container that stores a value, somewhat like a bucket. This would be reasonable for many programming languages (C, for example).
However, in Python variables arenât buckets. Instead, theyâre labels or tags that refer to objects in the Python interpreterâs namespace. Any number of labels (or variables) can refer to the same object, and when that object changes, the value referred to by all of those variables also changes.
To see what this means, look at the following simple code:
If youâre thinking of variables as containers, this result makes no sense. How could changing the contents of one container simultaneously change the other two? However, if variables are just labels referring to objects, it makes sense that changing the object that all three labels refer to would be reflected everywhere.
If the variables are referring to constants or immutable values, this distinction isnât quite as clear:
Because the objects they refer to canât change, the behavior of the variables in this case is consistent with either explanation. In fact, in this case, after the third line a, b, and c all refer to the same unchangeable integer object with the value 1. The next line, b = 5, makes b refer to the integer object 5 but doesnât change the references of a or c.
Python variables can be set to any object, whereas in C and many other languages, variables can store only the type of value theyâre declared as. The following is perfectly legal Python code:
x starts out referring to the string object "Hello" and then refers to the integer object 5. Of course, this feature can be abused, because arbitrarily assigning the same variable name to refer successively to different data types can make code confusing to understand.
A new assignment overrides any previous assignments. The del statement deletes the variable. Trying to print the variableâs contents after deleting it results in an error, as though the variable had never been created in the first place:
Here, you have your first look at a traceback, which is printed when an error, called an exception, has been detected. The last line tells you what exception was detected, which in this case is a NameError exception on x. After its deletion, x is no longer a valid variable name. In this example, the trace returns only line 1, in <module> because only the single line has been sent in the interactive mode. In general, the full dynamic call structure of the existing function at the time of the errorâs occurrence is returned. If youâre using IDLE, you obtain the same information with some small differences. The code may look something like this:
Chapter 14 describes this mechanism in more detail. A full list of the possible exceptions and what causes them is in the Python standard library documentation. Use the index to find any specific exception (such as NameError) you receive.
Variable names are case-sensitive and can include any alphanumeric character as well as underscores but must start with a letter or underscore. See section 4.10 for more guidance on the Pythonic style for creating variable names.
4.4. Expressions
Python supports arithmetic and similar expressions; these expressions will be familiar to most readers. The following code calculates the average of 3 and 5, leaving the result in the variable z:
Note that arithmetic operators involving only integers do not always return an integer. Even though all the values are integers, division (starting with Python 3) returns a floating-point number, so the fractional part isnât truncated. If you want traditional integer division returning a truncated integer, you can use // instead.
Standard rules of arithmetic precedence apply. If youâd left out the parentheses in the last line, the code wouldâve been calculated as x + (y / 2).
Expressions donât have to involve just numerical values; strings, Boolean values, and many other types of objects can be used in expressions in various ways. I discuss these objects in more detail as theyâre used.
TRY THIS: VARIABLES AND EXPRESSIONS
In the Python shell, create some variables. What happens when you try to put spaces, dashes, or other nonalphanumeric characters in the variable name? Play around with a few complex expressions, such as x = 2 + 4 * 5 â 6 / 3. Use parentheses to group the numbers in different ways and see how the result changes compared with the original ungrouped expression.
4.5. Strings
Youâve already seen that Python, like most other programming languages, indicates strings through the use of double quotes. This line leaves the string "Hello, World" in the variable x:
Backslashes can be used to escape characters, to give them special meanings. \n means the newline character, \t means the tab character, \\ means a single normal backslash character, and \" is a plain double-quote character. It doesnât end the string:
You can use single quotes instead of double quotes. The following two lines do the same thing:
copy
The only difference is that you donât need to backslash " characters in single-quoted strings or ' characters in double-quoted strings:
You canât split a normal string across lines. This code wonât work:
But Python offers triple-quoted strings, which let you do this and include single and double quotes without backslashes:
Now x is the entire sentence between the """ delimiters. (You can use triple single quotesâ'''âinstead of triple double quotes to do the same thing.)
Python offers enough string-related functionality that chapter 6 is devoted to the topic.
4.6. Numbers
Because youâre probably familiar with standard numeric operations from other languages, this book doesnât contain a separate chapter describing Pythonâs numeric abilities. This section describes the unique features of Python numbers, and the Python documentation lists the available functions.
Python offers four kinds of numbers: integers, floats, complex numbers, and Booleans. An integer constant is written as an integerâ0, â11, +33, 123456âand has unlimited range, restricted only by the resources of your machine. A float can be written with a decimal point or in scientific notation: 3.14, â2E-8, 2.718281828. The precision of these values is governed by the underlying machine but is typically equal to double (64-bit) types in C. Complex numbers are probably of limited interest and are discussed separately later in the section. Booleans are either True or False and behave identically to 1 and 0 except for their string representations.
Arithmetic is much like it is in C. Operations involving two integers produce an integer, except for division (/), which results in a float. If the // division symbol is used, the result is an integer, with truncation. Operations involving a float always produce a float. Here are a few examples:
These are explicit conversions between types 1. int truncates float values.
Numbers in Python have two advantages over C or Java: Integers can be arbitrarily large, and the division of two integers results in a float.
4.6.1. Built-in numeric functions
Python provides the following number-related functions as part of its core:
See the documentation for details.
4.6.2. Advanced numeric functions
More advanced numeric functions such as the trig and hyperbolic trig functions, as well as a few useful constants, arenât built into Python but are provided in a standard module called math. I explain modules in detail later. For now, itâs sufficient to know that you must make the math functions in this section available by starting your Python program or interactive session with the statement
The math module provides the following functions and constants:
See the documentation for details.
4.6.3. Numeric computation
The core Python installation isnât well suited to intensive numeric computation because of speed constraints. But the powerful Python extension NumPy provides highly efficient implementations of many advanced numeric operations. The emphasis is on array operations, including multidimensional matrices and more advanced functions such as the Fast Fourier Transform. You should be able to find NumPy (or links to it) at www.scipy.org.
4.6.4. Complex numbers
Complex numbers are created automatically whenever an expression of the form nj is encountered, with n having the same form as a Python integer or float. j is, of course, standard notation for the imaginary number equal to the square root of â1, for example:
Note that Python expresses the resulting complex number in parentheses as a way of indicating that whatâs printed to the screen represents the value of a single object:
Calculating j * j gives the expected answer of â1, but the result remains a Python complex-number object. Complex numbers are never converted automatically to equivalent real or integer objects. But you can easily access their real and imaginary parts with real and imag:
Note that real and imaginary parts of a complex number are always returned as floating-point numbers.
4.6.5. Advanced complex-number functions
The functions in the math module donât apply to complex numbers; the rationale is that most users want the square root of â1 to generate an error, not an answer! Instead, similar functions, which can operate on complex numbers, are provided in the cmath module:
To make clear in the code that these functions are special-purpose complex-number functions and to avoid name conflicts with the more normal equivalents, itâs best to import the cmath module by saying
and then to explicitly refer to the cmath package when using the function:
MINIMIZING FROM <MODULE> IMPORT *
This is a good example of why itâs best to minimize the use of the from <module> import * form of the import statement. If you used it to import first the math module and then the cmath module, the commonly named functions in cmath would override those of math. Itâs also more work for someone reading your code to figure out the source of the specific functions you use. Some modules are explicitly designed to use this form of import.
See chapter 10 for more details on how to use modules and module names.
The important thing to keep in mind is that by importing the cmath module, you can do almost anything you can do with other numbers.
TRY THIS: MANIPULATING STRINGS AND NUMBERS
In the Python shell, create some string and number variables (integers, floats, and complex numbers). Experiment a bit with what happens when you do operations with them, including across types. Can you multiply a string by an integer, for example, or can you multiply it by a float or complex number? Also load the math module and try a few of the functions; then load the cmath module and do the same. What happens if you try to use one of those functions on an integer or float after loading the cmath module? How might you get the math module functions back?
4.7. The None value
In addition to standard types such as strings and numbers, Python has a special basic data type that defines a single special data object called None. As the name suggests, None is used to represent an empty value. It appears in various guises throughout Python. For example, a procedure in Python is just a function that doesnât explicitly return a value, which means that by default, it returns None.
None is often useful in day-to-day Python programming as a placeholder to indicate a point in a data structure where meaningful data will eventually be found, even though that data hasnât yet been calculated. You can easily test for the presence of None because thereâs only one instance of None in the entire Python system (all references to None point to the same object), and None is equivalent only to itself.
4.8. Getting input from the user
You can also use the input() function to get input from the user. Use the prompt string you want to display to the user as inputâs parameter:
This is a fairly simple way to get user input. The one catch is that the input comes in as a string, so if you want to use it as a number, you have to use the int() or float() function to convert it.
TRY THIS: GETTING INPUT
Experiment with the input() function to get string and integer input. Using code similar to the previous code, what is the effect of not using int() around the call to input()for integer input? Can you modify that code to accept a floatâsay, 28.5? What happens if you deliberately enter the wrong type of value? Examples include a float in which an integer is expected and a string in which a number is expectedâand vice versa.
4.9. Built-in operators
Python provides various built-in operators, from the standard (+, *, and so on) to the more esoteric, such as operators for performing bit shifting, bitwise logical functions, and so forth. Most of these operators are no more unique to Python than to any other language; hence, I wonât explain them in the main text. You can find a complete list of the Python built-in operators in the documentation.
4.10. Basic Python style
Python has relatively few limitations on coding style with the obvious exception of the requirement to use indentation to organize code into blocks. Even in that case, the amount of indentation and type of indentation (tabs versus spaces) isnât mandated. However, there are preferred stylistic conventions for Python, which are contained in Python Enhancement Proposal (PEP) 8, which is summarized in appendix A and available online at www.python.org/dev/peps/pep-0008/. A selection of Pythonic conventions is provided in table 4.1, but to fully absorb Pythonic style, periodically reread PEP 8.
Table 4.1. Pythonic coding conventions
I strongly urge you to follow the conventions of PEP 8. Theyâre wisely chosen and time-tested, and theyâll make your code easier for you and other Python programmers to understand.
QUICK CHECK: PYTHONIC STYLE
Which of the following variable and function names do you think are not good Pythonic style? Why?
Summary
The basic syntax summarized above is enough to start writing Python code.
Python syntax is predictable and consistent.
Because the syntax offers few surprises, many programmers can get started writing code surprisingly quickly.
Last updated