http://python-textbok.readthedocs.io/en/1.0/Variables_and_Scope.html
Variables and scope
Variables
Recall that a variable is a label for a location in memory. It can be used to hold a value. In statically typed languages, variables have predetermined types, and a variable can only be used to hold values of that type. In Python, we may reuse the same variable to store values of any type.A variable is similar to the memory functionality found in most calculators, in that it holds one value which can be retrieved many times, and that storing a new value erases the old. A variable differs from a calculator’s memory in that one can have many variables storing different values, and that each variable is referred to by name.
Defining variables
To define a new variable in Python, we simply assign a value to a label. For example, this is how we create a variable calledcount
, which contains an integer value of zero:count = 0
count
. Later in this chapter we will discuss under what circumstances this statement will cause a new variable to be created.If we try to access the value of a variable which hasn’t been defined anywhere yet, the interpreter will exit with a name error.
We can define several variables in one line, but this is usually considered bad style:
# Define three variables at once:
count, result, total = 0, 0, 0
# This is equivalent to:
count = 0
result = 0
total = 0
Variable scope and lifetime
Not all variables are accessible from all parts of our program, and not all variables exist for the same amount of time. Where a variable is accessible and how long it exists depend on how it is defined. We call the part of a program where a variable is accessible its scope, and the duration for which the variable exists its lifetime.A variable which is defined in the main body of a file is called a global variable. It will be visible throughout the file, and also inside any file which imports that file. Global variables can have unintended consequences because of their wide-ranging effects – that is why we should almost never use them. Only objects which are intended to be used globally, like functions and classes, should be put in the global namespace.
A variable which is defined inside a function is local to that function. It is accessible from the point at which it is defined until the end of the function, and exists for as long as the function is executing. The parameter names in the function definition behave like local variables, but they contain the values that we pass into the function when we call it. When we use the assignment operator (
=
)
inside a function, its default behaviour is to create a new local
variable – unless a variable with the same name is already defined in
the local scope.Here is an example of variables in different scopes:
# This is a global variable
a = 0
if a == 0:
# This is still a global variable
b = 1
def my_function(c):
# this is a local variable
d = 3
print(c)
print(d)
# Now we call the function, passing the value 7 as the first and only parameter
my_function(7)
# a and b still exist
print(a)
print(b)
# c and d don't exist anymore -- these statements will give us name errors!
print(c)
print(d)
Note
The inside of a class body is also a new local variable
scope. Variables which are defined in the class body (but outside any
class method) are called class attributes. They can be
referenced by their bare names within the same scope, but they can also
be accessed from outside this scope if we use the attribute access
operator (
.
)
on a class or an instance (an object which uses that class as its
type). An attribute can also be set explicitly on an instance or class
from inside a method. Attributes set on instances are called instance attributes.
Class attributes are shared between all instances of a class, but each
instance has its own separate instance attributes. We will look at
this in greater detail in the chapter about classes.The assignment operator
As we saw in the previous sections, the assignment operator in Python is a single equals sign (=
).
This operator assigns the value on the right hand side to the variable
on the left hand side, sometimes creating the variable first. If the
right hand side is an expression (such as an arithmetic expression), it
will be evaluated before the assignment occurs. Here are a few
examples:a_number = 5 # a_number becomes 5
a_number = total # a_number becomes the value of total
a_number = total + 5 # a_number becomes the value of total + 5
a_number = a_number + 1 # a_number becomes the value of a_number + 1
=
as a mathematical equals sign – clearly a number cannot be equal to the same number plus one! Remember that =
is an assignment operator – this statement is assigning a new value to the variable a_number
which is equal to the old value of a_number
plus one.Assigning an initial value to variable is called initialising the variable. In some languages defining a variable can be done in a separate step before the first value assignment. It is thus possible in those languages for a variable to be defined but not have a value – which could lead to errors or unexpected behaviour if we try to use the value before it has been assigned. In Python a variable is defined and assigned a value in a single step, so we will almost never encounter situations like this.
The left hand side of the assignment statement must be a valid target:
# this is fine:
a = 3
# these are all illegal:
3 = 4
3 = a
a + b = 3
# both a and b will be set to zero:
a = b = 0
# this is illegal, because we can't set 0 to b:
a = 0 = b
Compound assignment operators
We have already seen that we can assign the result of an arithmetic expression to a variable:total = a + b + c + 50
count
.
We would initialise this variable to zero and add one to it every
time the event occurs. We would perform the addition with this
statement:count = count + 1
+=
, which lets us express it more cleanly, without having to write the name of the variable twice:# These statements mean exactly the same thing:
count = count + 1
count += 1
# We can increment a variable by any number we like.
count += 2
count += 7
count += a + b
-=
, which lets us decrement numbers:# These statements mean exactly the same thing:
count = count - 3
count -= 3
Operator | Example | Equivalent to |
---|---|---|
+= |
a += 5 |
a = a + 5 |
-= |
a -= 5 |
a = a - 5 |
*= |
a *= 5 |
a = a * 5 |
/= |
a /= 5 |
a = a / 5 |
%= |
a %= 5 |
a = a % 5 |
More about scope: crossing boundaries
What if we want to access a global variable from inside a function? It is possible, but doing so comes with a few caveats:a = 0
def my_function():
print(a)
my_function()
0
, the value of the global variable a
, as you probably expected. But what about this program?a = 0
def my_function():
a = 3
print(a)
my_function()
print(a)
3
– but why does the print statement at the end of the program output 0
?By default, the assignment statement creates variables in the local scope. So the assignment inside the function does not modify the global variable
a
– it creates a new local variable called a
, and assigns the value 3
to that variable. The first print statement outputs the value of the
new local variable – because if a local variable has the same name as a
global variable the local variable will always take precedence. The
last print statement prints out the global variable, which has remained
unchanged.What if we really want to modify a global variable from inside a function? We can use the
global
keyword:a = 0
def my_function():
global a
a = 3
print(a)
my_function()
print(a)
a = 0
def my_function():
print(a)
a = 3
print(a)
my_function()
a
to be global, the assignment in the second line of the function will create a local variable a
. This means that we can’t refer to the global variable a
elsewhere in the function, even before this line! The first print statement now refers to the local variable a
– but this variable doesn’t have a value in the first line, because we haven’t assigned it yet!Note that it is usually very bad practice to access global variables from inside functions, and even worse practice to modify them. This makes it difficult to arrange our program into logically encapsulated parts which do not affect each other in unexpected ways. If a function needs to access some external value, we should pass the value into the function as a parameter. If the function is a method of an object, it is sometimes appropriate to make the value an attribute of the same object – we will discuss this in the chapter about object orientation.
Note
There is also a
nonlocal
keyword in Python – when we nest a function inside another function, it
allows us to modify a variable in the outer function from inside the
inner function (or, if the function is nested multiple times, a variable
in one of the outer functions). If we use the global
keyword, the assignment statement will create the variable in the global scope if it does not exist already. If we use the nonlocal
keyword, however, the variable must be defined, because it is
impossible for Python to determine in which scope it should be created.Exercise 1
- Describe the scope of the variables
a
,b
,c
andd
in this example:def my_function(a): b = a - 2 return b c = 3 if c > 2: d = my_function(5) print(d)
- What is the lifetime of these variables? When will they be created and destroyed?
- Can you guess what would happen if we were to assign
c
a value of1
instead? - Why would this be a problem? Can you think of a way to avoid it?
Modifying values
Constants
In some languages, it is possible to define special variables which can be assigned a value only once – once their values have been set, they cannot be changed. We call these kinds of variables constants. Python does not allow us to set such a restriction on variables, but there is a widely used convention for marking certain variables to indicate that their values are not meant to change: we write their names in all caps, with underscores separating words:# These variables are "constants" by convention:
NUMBER_OF_DAYS_IN_A_WEEK = 7
NUMBER_OF_MONTHS_IN_A_YEAR = 12
# Nothing is actually stopping us from redefining them...
NUMBER_OF_DAYS_IN_A_WEEK = 8
# ...but it's probably not a good idea.
MAXIMUM_MARK = 80
tom_mark = 58
print(("Tom's mark is %.2f%%" % (tom_mark / MAXIMUM_MARK * 100)))
# %% is how we escape a literal % inside a string
MAXIMUM_MARK
instead of just writing 80
inside the print statement. First, this gives the number a descriptive
label which explains what it is – this makes the code more
understandable. Second, we may eventually need to refer to this number
in our program more than once. If we ever need to update our code with a
new value for the maximum mark, we will only have to change it in one
place, instead of finding every place where it is used – such
replacements are often error-prone.Literal numbers scattered throughout a program are known as “magic numbers” – using them is considered poor coding style. This does not apply to small numbers which are considered self-explanatory – it’s easy to understand why a total is initialised to zero or incremented by one.
Sometimes we want to use a variable to distinguish between several discrete options. It is useful to refer to the option values using constants instead of using them directly if the values themselves have no intrinsic meaning:
# We define some options
LOWER, UPPER, CAPITAL = 1, 2, 3
name = "jane"
# We use our constants when assigning these values...
print_style = UPPER
# ...and when checking them:
if print_style == LOWER:
print(name.lower())
elif print_style == UPPER:
print(name.upper())
elif print_style == CAPITAL:
print(name.capitalize())
else:
# Nothing prevents us from accidentally setting print_style to 4, 90 or
# "spoon", so we put in this fallback just in case:
print("Unknown style option!")
1
, 2
and 3
are not important – they are completely meaningless. We could equally well use 4
, 5
and 6
or the strings 'lower'
, 'upper'
and 'capital'
.
The only important thing is that the three values must be different.
If we used the numbers directly instead of the constants the program
would be much more confusing to read. Using meaningful strings would
make the code more readable, but we could accidentally make a spelling
mistake while setting one of the values and not notice – if we mistype
the name of one of the constants we are more likely to get an error
straight away.Some Python libraries define common constants for our convenience, for example:
# we need to import these libraries before we use them
import string
import math
import re
# All the lowercase ASCII letters: 'abcdefghijklmnopqrstuvwxyz'
print(string.ascii_lowercase)
# The mathematical constants pi and e, both floating-point numbers
print(math.pi) # ratio of circumference of a circle to its diameter
print(math.e) # natural base of logarithms
# This integer is an option which we can pass to functions in the re
# (regular expression) library.
print(re.IGNORECASE)
Mutable and immutable types
Some values in python can be modified, and some cannot. This does not ever mean that we can’t change the value of a variable – but if a variable contains a value of an immutable type, we can only assign it a new value. We cannot alter the existing value in any way.Integers, floating-point numbers and strings are all immutable types – in all the previous examples, when we changed the values of existing variables we used the assignment operator to assign them new values:
a = 3
a = 2
b = "jane"
b = "bob"
total
in-place – it also assigns a new value:total += 4
# this is a list of numbers
my_list = [1, 2, 3]
my_list[0] = 5 # we can change just the first element of the list
print(my_list)
class MyClass(object):
pass # this is a very silly class
# Now we make a very simple object using our class as a type
my_object = MyClass()
# We can change the values of attributes on the object
my_object.some_property = 42
More about input
In the earlier sections of this unit we learned how to make a program display a message using theprint
function or read a string value from the user using the input
function. What if we want the user to input numbers or other types of variables? We still use the input
function, but we must convert the string values returned by input
to the types that we want. Here is a simple example:height = int(input("Enter height of rectangle: "))
width = int(input("Enter width of rectangle: "))
print("The area of the rectangle is %d" % (width * height))
int
is
a function which converts values of various types to ints. We will
discuss type conversion in greater detail in the next section, but for
now it is important to know that int
will not be able to convert a string to an integer if it contains
anything except digits. The program above will exit with an error if
the user enters "aaa"
, "zzz10"
or even "7.5"
.
When we write a program which relies on user input, which can be
incorrect, we need to add some safeguards so that we can recover if the
user makes a mistake. For example, we can detect if the user entered
bad input and exit with a nicer error message:try:
height = int(input("Enter height of rectangle: "))
width = int(input("Enter width of rectangle: "))
except ValueError as e: # if a value error occurs, we will skip to this point
print("Error reading height and width: %s" % e)
correct_input = False # this is a boolean value -- it can be either true or false.
while not correct_input: # this is a while loop
try:
height = int(input("Enter height of rectangle: "))
width = int(input("Enter width of rectangle: "))
except ValueError:
print("Please enter valid integers for the height and width.")
else: # this will be executed if there is no value error
correct_input = True
Example: calculating petrol consumption of a car
In this example, we will write a simple program which asks the user for the distance travelled by a car, and the monetary value of the petrol that was used to cover that distance. From this information, together with the price per litre of petrol, the program will calculate the efficiency of the car, both in litres per 100 kilometres and and kilometres per litre.First we will define the petrol price as a constant at the top. This will make it easy for us to update the price when it changes on the first Wednesday of every month:
PETROL_PRICE_PER_LITRE = 4.50
print("*** Welcome to the fuel efficiency calculator! ***\n")
# we add an extra blank line after the message with \n
name = input("Enter your name: ")
# float is a function which converts values to floating-point numbers.
distance_travelled = float(input("Enter distance travelled in km: "))
amount_paid = float(input("Enter monetary value of fuel bought for the trip: R"))
fuel_consumed = amount_paid / PETROL_PRICE_PER_LITRE
efficiency_l_per_100_km = fuel_consumed / distance_travelled * 100
efficiency_km_per_l = distance_travelled / fuel_consumed
print("Hi, %s!" % name)
print("Your car's efficiency is %.2f litres per 100 km." % efficiency_l_per_100_km)
print("This means that you can travel %.2f km on a litre of petrol." % efficiency_km_per_l)
# we add an extra blank line before the message with \n
print("\nThanks for using the program.")
Exercise 2
- Write a Python program to convert a temperature given in degrees Fahrenheit to its equivalent in degrees Celsius. You can assume that T_c = (5/9) x (T_f - 32), where T_c is the temperature in °C and T_f is the temperature in °F. Your program should ask the user for an input value, and print the output. The input and output values should be floating-point numbers.
- What could make this program crash? What would we need to do to handle this situation more gracefully?
Type conversion
As we write more programs, we will often find that we need to convert data from one type to another, for example from a string to an integer or from an integer to a floating-point number. There are two kinds of type conversions in Python: implicit and explicit conversions.Implicit conversion
Recall from the section about floating-point operators that we can arbitrarily combine integers and floating-point numbers in an arithmetic expression – and that the result of any such expression will always be a floating-point number. This is because Python will convert the integers to floating-point numbers before evaluating the expression. This is an implicit conversion – we don’t have to convert anything ourselves. There is usually no loss of precision when an integer is converted to a floating-point number.For example, the integer
2
will automatically be converted to a floating-point number in the following example:result = 8.5 * 2
8.5
is a float
while 2
is an int
. Python will automatically convert operands so that they are of the same type. In this case this is achieved if the integer 2
is converted to the floating-point equivalent 2.0
. Then the two floating-point numbers can be multiplied.Let’s have a look at a more complex example:
result = 8.5 + 7 // 3 - 2.5
//
has the highest precedence, so it will be processed first. 7
and 3
are both integers and //
is the integer division operator – the result of this operation is the integer 2
. Now we are left with 8.5 + 2 - 2.5
.
The addition and subtraction are at the same level of precedence, so
they are evaluated left-to-right, starting with addition. First 2
is converted to the floating-point number 2.0
, and the two floating-point numbers are added, which leaves us with 10.5 - 2.5
. The result of this floating-point subtraction is 2.0
, which is assigned to result
.Explicit conversion
Converting numbers fromfloat
to int
will result in a loss of precision. For example, try to convert 5.834
to an int
– it is not possible to do this without losing precision. In order for
this to happen, we must explicitly tell Python that we are aware that
precision will be lost. For example, we need to tell the compiler to
convert a float
to an int
like this:i = int(5.834)
int
function converts a float
to an int
by discarding the fractional part – it will always round down! If we
want more control over the way in which the number is rounded, we will
need to use a different function:# the floor and ceil functions are in the math module
import math
# ceil returns the closest integer greater than or equal to the number
# (so it always rounds up)
i = math.ceil(5.834)
# floor returns the closest integer less than or equal to the number
# (so it always rounds down)
i = math.floor(5.834)
# round returns the closest integer to the number
# (so it rounds up or down)
# Note that this is a built-in function -- we don't need to import math to use it.
i = round(5.834)
float
being cast to int
or vice-versa.Converting to and from strings
As we saw in the earlier sections, Python seldom performs implicit conversions to and fromstr
– we usually have to convert values explicitly. If we pass a single number (or any other value) to the print
function, it will be converted to a string automatically – but if we try to add a number and a string, we will get an error:# This is OK
print(5)
print(6.7)
# This is not OK
print("3" + 4)
# Do you mean this...
print("3%d" % 4) # concatenate "3" and "4" to get "34"
# Or this?
print(int("3") + 4) # add 3 and 4 to get 7
str
function explicitly:# These lines will do the same thing
print("3%d" % 4)
print("3" + str(4))
More about conversions
In Python, functions likestr
, int
and float
will try to convert anything to their respective types – for example, we can use the int
function to convert strings to integers or to convert floating-point numbers to integers. Note that although int
can convert a float to an integer it can’t convert a string containing a float to an integer directly!# This is OK
int("3")
# This is OK
int(3.7)
# This is not OK
int("3.7") # This is a string representation of a float, not an integer!
# We have to convert the string to a float first
int(float("3.7"))
bool
can contain the value True
or False
.
These values are used extensively in conditional statements, which
execute or do not execute parts of our program depending on some binary
condition:my_flag = True
if my_flag:
print("Hello!")
if 3 > 4:
print("This will not be printed.")
my_number = 3
if my_number:
print("My number is non-zero!")
True
values and zero is False
. However, we need to be careful when using strings – the empty string is treated as False
, but any other string is True
– even "0"
and "False"
!# bool is a function which converts values to booleans
bool(34) # True
bool(0) # False
bool(1) # True
bool("") # False
bool("Jane") # True
bool("0") # True!
bool("False") # Also True!
Exercise 3
- Convert
"8.8"
to a float. - Convert
8.8
to an integer (with rounding). - Convert
"8.8"
to an integer (with rounding). - Convert
8.8
to a string. - Convert
8
to a string. - Convert
8
to a float. - Convert
8
to a boolean.
Answers to exercises
Answer to exercise 1
a
is a local variable in the scope ofmy_function
because it is an argument name.b
is also a local variable insidemy_function
, because it is assigned a value insidemy_function
.c
andd
are both global variables. It doesn’t matter thatd
is created inside anif
block, because the inside of anif
block is not a new scope – everything inside the block is part of the same scope as the outside (in this case the global scope). Only function definitions (which start withdef
) and class definitions (which start withclass
) indicate the start of a new level of scope.- Both
a
andb
will be created every timemy_function
is called and destroyed whenmy_function
has finished executing.c
is created when it is assigned the value3
, and exists for the remainder of the program’s execution.d
is created inside theif
block (when it is assigned the value which is returned from the function), and also exists for the remainder of the program’s execution. - As we will learn in the next chapter,
if
blocks are executed conditionally. Ifc
were not greater than3
in this program, theif
block would not be executed, and if that were to happen the variabled
would never be created. - We may use the variable later in the code, assuming that it always exists, and have our program crash unexpectedly if it doesn’t. It is considered poor coding practice to allow a variable to be defined or undefined depending on the outcome of a conditional statement. It is better to ensure that is always defined, no matter what – for example, by assigning it some default value at the start. It is much easier and cleaner to check if a variable has the default value than to check whether it exists at all.
Answer to exercise 2
- Here is an example program:
T_f = float(input("Please enter a temperature in °F: ")) T_c = (5/9) * (T_f - 32) print("%g°F = %g°C" % (T_f, T_c))
NoteThe formatting symbol%g
is used with floats, and instructs Python to pick a sensible human-readable way to display the float. - The program could crash if the user enters a value which cannot be converted to a floating-point number. We would need to add some kind of error checking to make sure that this doesn’t happen – for example, by storing the string value and checking its contents. If we find that the entered value is invalid, we can either print an error message and exit or keep prompting the user for input until valid input is entered.
Answer to exercise 3
Here are example answers:import math
a_1 = float("8.8")
a_2 = math.round(8.8)
a_3 = math.round("8.8")
a_4 = "%g" % 8.8
a_5 = "%d" % 8
a_6 = float(8)
a_7 = bool(8)
No hay comentarios:
Publicar un comentario