A boolean
is one of the simplest Python types, and it can have two values: True
and False
(with uppercase T
and F
):
a = True
b = False
Booleans can be combined with logical operators to give other booleans:
True and False
True or False
(False and (True or False)) or (False and True)
Standard comparison operators can also produce booleans:
1 == 3
1 != 3
3 > 2
3 <= 3.4
Write an expression that returns True
if x
is strictly greater than 3.4 and smaller or equal to 6.6, or if it is 2, and try changing x
to see if it works:
x = 3.7
# your solution here
Tuples are, like lists, a type of sequence, but they use round parentheses rather than square brackets:
t = (1, 2, 3)
They can contain heterogeneous types like lists:
t = (1, 2.3, 'roof')
and also support item access and slicing like lists:
t[1]
t[:2]
The main difference is that they are immutable, like strings:
t[1] = 2
We will not go into the details right now of why this is useful, but you should know that these exist as you may encounter them in examples.
One of the data types that we have not talked about yet is called dictionaries (dict
). If you think about what a 'real' dictionary is, it is a list of words, and for each word is a definition. Similarly, in Python, we can assign definitions (or 'values'), to words (or 'keywords').
Dictionaries are defined using curly brackets {}
:
d = {'a':1, 'b':2, 'c':3}
Items are accessed using square brackets and the 'key':
d['a']
d['c']
Values can also be set this way:
d['r'] = 2.2
print(d)
The keywords don't have to be strings, they can be many (but not all) Python objects:
e = {}
e['a_string'] = 3.3
e[3445] = 2.2
e[complex(2,1)] = 'value'
print(e)
e[3445]
If you try and access an element that does not exist, you will get a KeyError
:
e[4]
Also, note that dictionaries do not know about order, so there is no 'first' or 'last' element.
It is easy to check if a specific key is in a dictionary, using the in
operator:
"a" in d
"t" in d
"t" not in d
Note that this also works for lists:
3 in [1,2,3]
Try making a dictionary to translate a few English words into German and try using it!
# your solution here