Reading Time: 12 minutes
Variables in Python
Variables in Python
Hi, and welcome back to Python 101. In the second chapter of this course, we will have a look at variables, operators and simple I/O.
- Programs you'll be able to compose by the end of this chapter: Fill the form, Odd or even, Leap year or not.
- Variables: String, number, floating point, Boolean, assignment statements, identifiers, guidelines for naming variables.
- All about strings: Using quotes inside strings, verbatim strings, escape sequences, concatenating and repeating strings, line continuation, immutability, nesting quotes, string methods, calculating the length of a string.
- More about print: Printing multiple values, ending print statement with a desired character.
- Numeric data types: int, float, complex, arithmetic operators.
- Boolean data type: boolean operators.
- A Few General Things: getting user input with input(), casting: type conversions(string to int, int to string, string to float), comparison operators.
- Controlling the flow of the program: Introduction to how to control the flow of the program, branching: if construct.
- On the agenda in next chapter
- Exercises
What you'll be able to make by the end of this chapter§
Let's have a look at the programs you will be able to materialize by the end of this chapter...
#1 Fill the form
name = input ( "Enter your name: " ) |
age = input ( "Enter your age: " ) |
email = input ( "Enter your email address: " ) |
print ( "Name\t\t:\t" , name.upper()) |
print ( "Email\t\t:\t" , email.upper()) |
#2 Odd or even number?
number = int ( input ( "Enter a number to be tested: " )) |
print (number, "is even." ) |
#3 Leap Year or not?
year = int ( input ( "Enter an year: " )) |
print (year, "is a leap year." ) |
print (year, "is not a leap year." ) |
Variables§
You can see all the associated methods and attributes in IDLE by typing in the variable name at the prompt(>>>), followed by a period(.), and then pressing Tab(or Ctrl/Cmd + Space).
- You can replace the existing value in a variable.
>>> variable_1 = "hi" |
>>> variable_1 = "hello" |
>>> print (variable_1) |
- Variables need to be declared before they are referenced in the code, or else the interpreter raises a NameError exception. We will cover exceptions later.
Guidelines for naming a variable
There are two synonyms for variables: attributes & identifiers. From lexical point of view of the Python programming language(for that matter, any programming language), identifier is the name given to entities like class, functions, variables etc. It helps differentiating one entity from another and to refer them.
Following are the rules to make a valid identifier:
- it can be a combination of lowercase alphabet (a-z), uppercase alphabet (A-Z), digits (0-9) and underscore(_) e.g. my_variable, myVariable, myVar.
- it cannot begin with a digit i.e. myVar1 is fine but 1myVar is not.
- special symbols like $, #, !, % etc. are not allowed since they have special meanings in the language.
- there is no limit on the length of identifiers, but try to make them as readable as you can, keeping readability in mind.
- identifiers are case sensitive. so myVar and myvar are two different variables.
- identifiers should not be keywords i.e. you should not make a variable named print or True etc., as it will create problems when you want to the keyword True.
All about strings§
- A string is a sequence of characters, and a character is, well, you know what a character is. In literal terms, character is anything you can put on to the screen using your keyboard, like a letter, a number, a space, special symbols such as hash, percent etc. "Hello there!" is a string. It consists of 12 characters(5 + 1 + 5 + 1).
- Strings can be declared using an apostrophe/single quote('), double quotes("), 3 apostrophes(''') or 3 double quotes("""). You can use all these interchangeably, as long as you wrap your string with the same set of symbols i.e. if you cannot begin a string with a single quote and end with a double quote.
>>> stringOne = 'Hi there!' |
>>> stringTwo = "Hello there!' |
>>> stringThree = |
'Hi there from triple apostrophe strings!' |
>>> stringFour = |
'Hello from triple double quoted strings' |
- As I said, you could either of these 4 ways to denote a string. The last two, the triple quoted strings may span multiple lines and Python won't generate any error, while in the first two cases, it will generate an error if you try to span them over multiple lines.
>>> stringFive = "Hello |
SyntaxError: EOL while scanning string literal |
'Hello from a verbatim string...\n\n...' |
Triple quoted strings are really helpful when you want to output ascii art on to the screen, as they preserve the whitespace you specify in the variable. Ascii art is combination of special symbols(including alphabet and numbers) that depict a picture or a logo. These come in handy while trying to output a graphic when some event occurs in the program. One example is outputting different pictures in a game of hangman, depending how many tries has a player had.
If you simply enter this variable name in the interpreter and press enter, you will see a combination of sequences such as \n, \xa0. These are escape sequences, you will learn about them in the next section. For now, suffice it to know that to output this graphic as it is depicted here, you have to wrap the variable in a print() function i.e. >>> print(stringSeven)
Triple quoted strings are also used as docstrings in functions, we will get to that later.
- You may use normal strings to span multiple lines by using the line continuation character i.e. backslash (\).
>>> stringEight = 'This string is most likely to violate the Python guideline which says you \ |
should try to limit your statements to 79 characters and no further.' |
'This string is most likely to violate the Python guideline which says you should try to limit your statements to 79 characters and no further.' |
However, PEP, the Python Enhancement Proposal prefers that if you want your strings to span multiple lines, you may use the brackets, like below.
>>> stringNine = ( "This string is also likely to violate the Python guideline which says you " |
"should try to limit your statements to 79 characters and no further." ) |
'This string is also likely to violate the Python guideline which says you should try to limit your statements to 79 characters and no further.' |
Unpacking a string
Strings are sequences of characters, and they can be unpacked into individual variables. Unpacking procedure can be performed on lists, dictionaries, sets and tuples, but we'll look at that later. Here's how you unpack a string:
>>> stringTen = "Hello" |
>>> a,b,c,d,e = stringTen |
Referring individual characters in a string with indexes
You can extract a particular string out of a string using a number in square brackets, as below:
>>> stringEleven = "Ethan" |
>>> stringEleven[ 2 ] |
What you specified in the brackets is what is called an index. Indexes are a programming language's way of storing your data sequentially in the memory. Indexes are zero based, that is the first character will be given an index of 0. Here's how the string 'Hello there!' will be stored in the memory:
>>> arrayRepresentation = |
>>> arrayRepresentation[ 8 ] |
>>> arrayRepresentation[ 6 ] |
You can access the characters from the end as well, using negative indexes. In this case, the first character from the end will be represented by -1. Give that a try.
NOTE: Python strings are
immutable, meaning you cannot alter a string once it is declared. You, however, can assign a different string to the variable. Sounds confusing, here's what I mean by the above:
>>> stringTwelve = "Hello" |
>>> stringTwelve[ 2 ] = 'G' |
TypeError: 'str' object does not support item assignment |
>>> stringTwelve = "Hi" |
>>> stringTwelve |
FYI: Among the sequence data types, dictionaries and lists are mutable, whereas sets, strings, tuples are immutable.
Repeating a string
You can repeat a string multiple times by using the asterisk symbol (*), like this:
>>> stringThirteen = "Hi " |
>>> stringThirteen * 5 |
Concatenating two or more strings
You can join two strings by using the addition symbol (+), or by giving each string as an argument to the print function, or by placing the strings to be joined adjacent to each other wrapped in their own quotes. See below for example.
>>> stringFourteen = "Hi" |
>>> stringFifteen = " there!" |
>>> stringFourteen + stringFifteen |
>>> print (stringFourteen,stringFifteen) |
>>> stringFourteenTwo = 'hel' 'lo' '...there' |
>>> stringFourteenTwo |
Be wary of the fact for string concatenation, all the participants should be of the type string, or you will see a TypeError. Refer to type casting below to make the required conversion.
Escape Sequences: how to print special characters inside strings
There are many characters you might want to include in your string, but inserting them normally will generate errors or unexpected results e.g. say you wanted to quote a great author or wanted to include a dialogue from a character in direct speech, or wanted to use the sarcastic quotation marks, or further more, wanted to emphasize a particular word using single quotes, here's how you would do it:
>>> stringSixteen = "Albert Einstein once said, \"Any fool can know. The point is to understand.\"" |
>>> print (stringSixteen) |
Albert Einstein once said, "Any fool can know. The point is to understand." |
>>> stringSeventeen = 'I am here to print "Game Over" on the screen.' |
>>> print (stringSeventeen) |
I am here to print "Game Over" on the screen. |
Actually, you can use nested quotes as well, to achieve the above purpose like this:
>>> stringSixteen = 'Albert Einstein once said, "Any fool can know. The point is to understand."' |
>>> print (stringSixteen) |
Albert Einstein once said, "Any fool can know. The point is to understand." |
Python is okay with above as long as you place the closing quotes in the right place i.e. the quotes you begin later should be closed first.
What you cannot do is this:
>>> stringEighteen = 'I am here to print ' Game Over ' on the screen.' |
SyntaxError: invalid syntax |
because Python cannot make sense of the above, you need to escape the single quotes in the middle by prefixing them with a backslash (\).
>>> stringEighteen = 'I am here to print \'Game Over\' on the screen.' |
>>> print (stringEighteen) |
I am here to print 'Game Over' on the screen. |
Following are the prominent escape sequences used in Python:
>>> print ( "Backslash: \\ " ) |
>>> print ( "Single quote: \' " ) |
>>> print ( "Double quote: \" " ) |
>>> print ( "New line: \n some text" ) |
>>> print ( "Tab: \t some text" ) |
For further reading, visit this link.
Apart from the quotes(
\" and
\') sequences, the Python interpreter does not interpret any of the escape sequences when you simply enter a string and press enter. You would have to use them in a
print() function to see the effect of, say a
\n or a
\t, just like you would in a program.
>>> some_variable = "Hi\nthere!" |
>>> some_variable |
>>> print (some_variable) |
System bell with the \a sequence doesn't work in interpreters, you will have to save a .py file with a print("\a") statement and run it from the command prompt to hear it.
Slicing a string
Slicing means getting a substring of a given string i.e. getting a portion of the original string. Here's how we achieve slicing in Python.
>>> originalString = "magnanimous" |
>>> arrayRepresentationOfOriginalString = |
>>> st = originalString |
>>> st[ - 5 : - 8 : - 1 ] |
Slicing takes characters from left to right of a string, unless you specify a negative step size. What this means is that by default, the first number should should be the index of a character on the left of character whose index is denoted by the second number, UNLESS a negative step size is specified, in which case, the first number should be the index of a character on the right of the character whose index is denoted by the second number. Not confusing, right?
String methods
- Python provides numerous methods for tweaking strings, each of which is handy. You can see all these by entering a string in the Python interpreter with single/double quotes, typing in a period (.), then pressing tab or Ctrl/Cmd + Space.
- To bring these into action, select one of these using arrow keys, double press Tab, type in two round brackets i.e. () and hit enter e.g. "Sample".upper()
- To get help on these methods, say title method you may do something like this: >>> help("Sample".title)
I'll list a few prominent ones here, you can explore the rest.
>>> stringNineteen = "lab rat for testing string methods" |
>>> s1 = stringNineteen.upper() |
>>> s2 = stringNineteen.lower() |
>>> s3 = stringNineteen.capitalize() |
>>> s4 = stringNineteen.count( 't' ) |
>>> s5 = stringNineteen.title() |
>>> s6 = stringNineteen.replace( 't' , 'w' ) |
>>> s7 = stringNineteen.split() |
>>> s8 = "_" .join(stringNineteen) |
Calculating the length of a string
We can use the inbuilt len() function to calculate the length of a string. The len() is a generic method, meaning it can be used to calculate the length of lists, tuples, dictionaries etc.
>>> len ( "Hello" ) |
>>> string1 = "merry merry" |
>>> len (string1) |
More about print§
So far, we have seen how the print() function is arguably the most used builtin function. Let's discuss a couple more functionalities provided by the print() function.
Ending a statement with a desired character
The default behavior of the print() is to print a new line after whatever we ask it to print. Now that you know about escape sequences, you would have probably guessed that it ends with a \n.
We can tweak this to suit our needs, using the end argument. Let's see this in action:
print ( "hunky" , end = "-" ) |
Printing multiple values
We have actually touched upon this in the string concatenation bit, for the sake of completeness, let's see it once again. We can print multiple values using the same print() function, like this:
>>> print (a, b, c) |
Number data types§
Python 2 supports int, float, complex and long data types. However, long was dropped in Python 3. Integers are numbers without any fractional component e.g. 2, -2, 0. Floating point numbers have a fractional component e.g. 2.3, 3.14. Complex numbers have an imaginary bit along with them, represented by the letter j.
>>> myFloat = 3.14 |
>>> type (myFloat) |
>>> myComp = 2 + 3j |
>>> type (myComp) |
Floating points have some known issues in python, especially while comparing two floating points. Visit
here for floating point considerations.
Arithmetic Operators
Python supports mixed arithmetic: when an arithmetic operator has operands of different numeric types, the operand with less precision is widened to that of the other, where integer is narrower than floating point, which is narrower than complex.
Mathematical operators work more or less the same way on all integer types, except for a couple of exceptions.
>>> complex (a, b) |
>>> c.conjugate() |
>>> divmod (a, b) |
Boolean Data Type§
Boolean is the simplest data type you will ever see. It only has two valid values: True and False. It was added to Python in version 2.3. Since then, many builtin functions and standard library functions were changed to return either True or False e.g. the isinstance(x, y) which tells us whether x is of the type y.
Boolean data type was added with the primary goal of making code clearer. For example, if you're reading a function and encounter the statement return 1, you might wonder whether the 1 represents a Boolean truth value, an index, or just a number to be used elsewhere. If the statement is return True, however, the meaning of the return value is crystal clear.
In all actuality, True and False are string versions of integers 0 and 1, and Boolean data type is a subclass of the 'int' type. Hence, it supports arithmetic, like this:
Boolean operators
Following are the three boolean operators: or, and and not.
>>> False or True |
>>> True or False |
>>> True and False |
>>> False and True |
A Few General Things§
Here are a few handy things you should take note of.
Getting user input: input()
The builtin input() function is used for receiving input from the user. The input function takes an argument, which is what will be flashed on the screen before the user enters a value. We can assign the value entered to a variable that we can use later in the program.
>>> input ( "Tell me your name. \n" ) |
>>> name = input ( "Tell me your name. \n" ) |
>>> print ( "Did you just say " + name + "?" ) |
Did you just say Tyrion Lannister? |
It is worth emphasizing that the input function returns a string, so if you require it to be some other data type, it needs to be converted into the required data type. Refer to the next section on how to do just that.
Casting: Type Conversions
There will be times when you need to convert a string to a numeric form, or vice versa. For example, try executing
>>> print ( "I am " + a + " years old." ) |
You should see something like this:
Traceback (most recent call last): |
File "python" , line 1 , in <module> |
TypeError: Can 't convert ' int ' object to str implicitly |
To get around situations like this, we can use the builtin str(), int(), float() functions.
>>> print ( "I am " + str (a) + " years old." ) |
>>> age = input ( "How old are you? \n" ) |
>>> age = int (age) |
>>> age_in_days = age * 365 |
>>> print ( "You have lived for more than" + str (age_in_days) + " days." ) |
You have lived for more than 5830 days. |
>>> temp = float ( input ( "Pop Quiz: What is the normal body temperature(in Celsius units) of humans?\n" )) |
Pop Quiz: What is the normal body temperature( in Celsius units) of humans? |
>>> print ( "You entered: " + str (temp)) |
You entered: 38.600000000000001 |
Comparison Operators
At some point in your program, you will the need to compare two values, and then proceed on the basis of the result of the comparison. For example, you have to compare the entered string with the stored password of the safe, and grant or revoke access to the safe on the same basis, or you have to monitor the temperature of a furnace and throw off an alarm as soon as it surpasses the maximum allowed value of temperature. Okay, a little too intricate for an example, but you get the point, don't you?
Python supports 8 comparison operations, here they are with examples:
>>> password = "letmein" |
>>> password = = "letmein" |
>>> password ! = "letmein" |
BEHIND THE SCENES OF THE is OPERATOR: The is operator actually compares the values returned by the builtin
id() function, applied on variables on either side of the word
is. The builtin
id() function gives the "identity" of an object i.e. an
integer which is guaranteed to be
unique and
constant for this object during its lifetime. Objects with non-overlapping lifetimes may have the same
id value.
PYTHON CACHES SMALL INTEGER OBJECTS: Python usually caches(places them in cache memory for quick retrieval, to save time) the id of numbers from -5 to 256(this range many vary on different implementations of the language), so if you assign any number within -5 - 256 to two or more variables, their id will be same i.e.
Controlling The Flow Of The Program§
Python is an imperative language, as opposed to being a declarative language. Imperative paradigm suggests that the language uses its statements to jump around the program and control the way a program operates. In other words, the control shifts from one block of code to the other. Declarative languages emphasizes on what the statements would accomplish, and not on how they would do it. You specify what you want done, it is left on the machine (more specifically, compiler) to figure that out. Examples of declarative languages are SQL and Prolog.
There are three methods of controlling the flow in Python:
- Loops
- Branchincg
- Function calls
We'll cover branching for now. Branching, as the word suggests, implies that if a given condition(also known as predicate) is true, execute the following indented(four spaces or a tab) code block. Else, execute another code block. There is only one statement in Python that implements branching i.e. the if statement.
Executing code blocks in the interactive interpreter: Press enter after the colon, you will notice that the interpreter automatically indents the next line, so type away. Once you have written all statements in the new indented code block, press enter twice, and this should execute the block you just wrote.
if statement
The simplest form of an if statement is: if a given condition is true, execute this piece of code. If it is false, proceed by skipping the code block.
print ( "You are right, 2 IS less than 5." ) |
print ( "Hello is a five letter word." ) |
print ( "Anything, it is not going to be printed anyway." ) |
print ( "The condition was wrong." ) |
print ( "Anything, it is not going to be printed anyway." ) |
print ( "The condition was wrong." ) |
print ( "The condition was wrong." ) |
The predicate doesn't always have to evaluate to a Boolean result. Python is not strict this way, and never will be, as stated in
PEP 285. The evaluated result may even be a list or a tuple, or any other object.
The elif and else clauses give you more ways to cover the domain of your problem. They are optional to specify.
Elif: If the predicate in the "if" is false, it will test the predicate on the first elif, and run that code block if it’s true. If the first elif is false, it tries the second one, and so on. As soon as it finds a true predicate, it will stop checking branches, and skip the rest of the if statement.
Else: The else clause is placed at the bottom of the entire if statement. If none of the other branches are executed, then Python will run this branch. It doesn't take any predicate.
print ( "Your maths is all wrong!" ) |
print ( "Executing the else block." ) |
print ( "Enrolling you for Mathematics for Dummies...." ) |
On the agenda in the next chapter§
Strings, Numbers, Operators, Controlling the flow, we have covered significant ground in this chapter, kudos to you! Try the 3 programs yourself. You will be able to make sense of them now, and in case you don't, then place a comment down below.
In the next chapter, we will cover 2 the looping constructs, namely, for and while. Till then, cheerio!
Further Reading
Exercises§
- Write a program to convert height units. Your program should take two inputs: feet and inches. Convert these into centimetres using the fact that 1 inch = 2.54 cm & 1 foot = 12 inches. [ Solution ]
- Write a program to calculate Body Mass Index (BMI). Body Mass Index (BMI) is a value obtained from height and weight of an individual. It is used as a metric to classify a person as underweight, normal weight, overweight or obese based on the computed value. BMI for underweight: < 22.5. BMI for normal-weight: 22.5–25, BMI for overweight: 25–29.9. BMI = ( weight / height * height ) * 703 when weight is in pounds (lbs) and height is in inches. BMI = ( weight / height * height ) when weight is in kilograms and height is in meters. You can use either of these formulas to compute BMI. Ask the user for his height and weight and tell him his BMI. [ Solution ]
- Write a script to convert Celsius temperature to Fahrenheit temperature. Formula: F = 32 + 9/5 * C. Ask the user for a Celsius temperature and output the equivalent Fahrenheit temperature. [ Solution ]
- Write a script to determine whether the entered letter is a vowel or a consonant. [ Solution ]
See also: