Basics Flashcards
Print hello world!
print(“hello world!”)
Two ways to indent
Tab
Four spaces
Make 3 into a float and assign to prob
prob = float(3)
What is the type of test in the below?
test = 3
int
Why use double quotes over single quotes?
If you want to use an apostrophe or single quote. Otherwise, preference
Define a string named mystring with value hello.
mystring = “hello”
Assign mystring value:
Don’t worry about apostrophes.
mystring = “Don’t worry about apostrophes.”
Concatenate the below two variables into helloworld:
hello = “hello”
world = “world”
helloworld = hello + world
assign 3 and 4 to a and b respectively (one line)
a, b = 3, 4
what will happen in the below code?
one = 1
two = 2
hello = “hello”
print(one + two + hello)
TypeError: unsupported operand type(s) for +: ‘int’ and ‘str’
what is a list?
a type of array that can contain any type of variable and as many variables as needed.
what will be the output of the below? mylist = [] mylist.append(1) mylist.append(2) mylist.append(3) print(mylist)
[1, 2, 3]
what will be the output of the below:
mylist = [1,2,3]
print(mylist[10])
IndexError: list index out of range
what is the output of the below (remember PEMDAS):
number = 1 + 2 * 3 / 4.0
print(number)
2.5
what is the % operator do?
returns remainders
what is the output of:
remainder = 11 % 3
print(remainder)
2
Assign 2^3 to the variable ‘cubed’
cubed = 2 ** 3
what is the output here:
helloworld = “hello” + “ “ + “world”
print(helloworld)
hello world
assign “hellohellohellohello” to lottahello using the string hello and an operator.
lottahello = “hello” * 3
OR
lottahello = “hello” + “hello” + “hello”
what would be the output of the below: even_numbers = [2,4,6,8] odd_numbers = [1,3,5,7] all_numbers = odd_numbers + even_numbers print(all_numbers)
[1, 3, 5, 7, 2, 4, 6, 8]
what would be the output of the below:
print([1,2,3] * 3)
[1, 2, 3, 1, 2, 3, 1, 2, 3]
what are two methods in formatting strings? provide an example of each.
two types:
1. c type:
%s - String (or any object with a string representation, like numbers)
%d - Integers
%f - Floating point numbers
%.f - Floating point numbers with a fixed amount of digits to the right of the dot.
%x/%X - Integers in hex representation (lowercase/uppercase)
- str.format()
name = “Amit”
print(“hello, %s!”, name)
print(“hello, {}”.format(name))
what is the output here:
astring = “Hello world!”
print(astring.index(“o”))
4, looks for the first “o”. Indexing starts at 0, not 1.
Count how many l’s there are in variable “astring”.
astring = “Hello world!”
astring.count(“l”)
how do you index a string based on a value? say the value you are looking for is “a”
str.index(“a”)
print the “o” in astring from “hello” using []:
astring = “Hello world!”
print(astring[4])
given str[start:stop:step], how can you print every other value from astring = “splicing strings” starting at “l”? What would the output be?
print(astring[2::2])
output: lcn tig
given astring = “Hello world!”, what value for the “step” portion of splicing would produce the same output as below:
print(astring[3:7])
ans = 1
see modified print statement below:
print(astring[3:7:1])
using astring = “Hello world!”, print the reverse of this.
print(astring[::-1])
remember, str[start:stop:step]
Assign astring variable to another variable called astringUpper and make the entire string all upper case
astringUpper = astring.upper()
Assign astring variable to another variable called astringLower and make the entire string all lower case
astringLower = astring.lower()
How can you check if astring starts with “hello”?
print(astring.startswith(“hello”))
if True, will print True
How can you check if astring ends with “orld!”?
print(astring.endswith(“orld!”))
if True, will print True
Split astring = “Hello world!” on the space. What would the output be?
print(astring.split(“ “))
output: [‘Hello’, ‘world!’]
how can you check if variable a equals 3?
a == 3
how can you check if variable a is not equals 3?
a != 3
“and” and “or” are operators – true or false?
true
“in” cannot be used to check an iterable object – true or false?
false, “in” operator could be used to check if a specified object exists within an iterable object container, such as a list
A statement is evaluated as true if one of the following is correct: – 2 reason, list them
- The “True” boolean variable is given, or calculated using an expression, such as an arithmetic comparison. 2. An object which is not considered “empty” is passed.
Give at least 4 examples for objects which are considered as empty: – list them
- An empty string: “” 2. An empty list: [] 3. The number zero: 0 4. The false boolean variable: False
x = [1,2,3]
y = [1,2,3]
Why does this print out False?
print(x is y)
Unlike the double equals operator “==”, the “is” operator does not match the values of the variables, but the instances themselves
what does using “not” before a boolean do? give two examples (one for each boolean)
it inverts it.
print(not False) # Prints out True
print((not False) == (False)) # Prints out False
what do for loops do?
For loops iterate over a given sequence
How long does a while loop repeat for?
While loops repeat as long as a certain boolean condition is met.
what is the difference between “break” and “continue”?
break is used to exit a for loop or a while loop, whereas continue is used to skip the current block, and return to the “for” or “while” statement
can we use “else” clause for loops?
we can use else for loops. When the loop condition of “for” or “while” statement fails then code part in “else” is executed. If break statement is executed inside for loop then the “else” part is skipped. Note that “else” part is executed even if there is a continue statement.
example: # Prints out 0,1,2,3,4 and then it prints "count value reached 5"
count=0 while(count<5): print(count) count +=1 else: print("count value reached %d" %(count))
# Prints out 1,2,3,4 for i in range(1, 10): if(i%5==0): break print(i) else: print("this is not printed because for loop is terminated because of break but not due to fail in condition")
what are functions?
Functions are a convenient way to divide your code into useful blocks, allowing us to order our code, make it more readable, reuse it and save some time. Also functions are a key way to define interfaces so programmers can share their code.
Create a function named my_function that has no parameter but prints: “Hello From My Function!”)
def my_function(): print("Hello From My Function!")
Create a function named my_function_with_args that has parameters username and greeting and prints: “Hell, username, From My Function! I wish you greeting”)
def my_function_with_args(username, greeting): print("Hello, {} , From My Function!, I wish you {}".format(username, greeting)) OR def my_function_with_args(username, greeting): print("Hello, %s , From My Function!, I wish you %s"%(username, greeting))
Create a function sum_two_numbers that takes two variable a and b and returns the sum of it
def sum_two_numbers(a, b): return a + b
Create a function sum_two_numbers that takes two variable a and b and returns the sum of it. Then call the function with a = 4 and b = 3 and assign the value to variable named x.
def sum_two_numbers(a, b): return a + b
x = sum_two_numbers(4, 3)
what is the difference between an object and a class in Python?
Object is simply a collection of data (variables) and methods (functions) that act on those data. And, class is a blueprint for the object. We can think of class as a sketch (prototype) of a house.
what does the simplest form of a class definition look like?
class ClassName:
. . .
what is a namespace?
A namespace is a mapping from names to objects. Most namespaces are currently implemented as Python dictionaries, but that’s normally not noticeable in any way (except for performance), and it may change in the future.
What are the two kinds of operations that are suppored by class objects?
Class objects support two kinds of operations: attribute references and instantiation
What are attribute references?
Valid attribute names are all the names that were in the class’s namespace when the class object was created. Attribute references use the standard syntax used for all attribute references in Python: obj.name.
What are the attribute references of the below class, and what do they return? class MyClass: """A simple example class""" i = 12345
def f(self): return 'hello world'
MyClass.i and MyClass.f are valid attribute references, returning an integer and a function object, respectively
What does __doc__ attribute do?
Returns the docstring belonging to the class
In the below example, what does the MyClass.\_\_doc\_\_ attribute return? class MyClass: """A simple example class""" i = 12345
def f(self): return 'hello world'
“A simple example class”
In the below example, what does the MyClass.f.\_\_doc\_\_ attribute return? class MyClass: """A simple example class""" i = 12345
def f(self): """A return of hello world""" return 'hello world'
“A return of hello world”
What kind of notation does class instantiation use?
Class instantiation uses function notation. Just pretend that the class object is a parameterless function that returns a new instance of the class.
What does the following do?
x = MyClass()
creates a new instance of the class and assigns this object to the local variable x
Many classes like to create objects with instances customized to a specific initial state. What are those methods usually called?
def __init__(self):
.
.
What happens to the __init__() method upon class instantiation?
It is automatically invoked.
For: >>> class Complex: ... def \_\_init\_\_(self, realpart, imagpart): ... self.r = realpart ... self.i = imagpart ... >>> x = Complex(3.0, -4.5)
what is the value of x.r and x.i?
x. r = 3.0
x. i = -4.5
What is a dictionary?
A dictionary is a data type similar to arrays, but works with keys and values instead of indexes.
What does the below output: phonebook = {} phonebook["John"] = 938477566 phonebook["Jack"] = 938377264 phonebook["Jill"] = 947662781 print(phonebook)
{‘Jack’: 938377264, ‘John’: 938477566, ‘Jill’: 947662781}
phonebook = { "John" : 938477566, "Jack" : 938377264, "Jill" : 947662781 } print(phonebook)
{‘Jack’: 938377264, ‘John’: 938477566, ‘Jill’: 947662781}
What is the following code doing:
phonebook = {“John” : 938477566,”Jack” : 938377264,”Jill” : 947662781}
for name, number in phonebook.items():
print(“Phone number of %s is %d” % (name, number))
iterating over a dictionary
what is the syntax to remove a value from a dictionary?
phonebook = { "John" : 938477566, "Jack" : 938377264, "Jill" : 947662781 } del phonebook["John"] print(phonebook)
What does the following do: phonebook = { "John" : 938477566, "Jack" : 938377264, "Jill" : 947662781 } del phonebook["John"] print(phonebook)
remove a value from the dictionary
What does the following do: phonebook = { "John" : 938477566, "Jack" : 938377264, "Jill" : 947662781 } phonebook.pop("John") print(phonebook)
remove a value from the dictionary
What is a set?
A set is well defined collection of distinct objects.
What is a set in Python?
- unordered
- elements are unique (duplicates are not allowed)
- set can be modified, but elements inside set must be hashable
What does hashable mean?
A type of object where it’s hash value remains the same during it’s lifetime. All immutable objects are hashable, but not all hashable objects are immutable
True or False. Lists and dictionaries are hashable.
False. Lists and dictionaries are two mutable types that are not hashable.
What are the two ways to define a set in Python?
In: set = (['foo', 'bar']) Out: {'bar', foo'} # sets are unordered
Using the {} brackets:
x = {“bar”, “foo”}
What would be the output of this set creation:
set(“hello”)
Why?
{“e”, “h”, “l”, “o”}
- sets cannot contain duplicates (one “l” is dropped out)
- sets are unordered
True or False. Sets can contain different object types within a set.
True.
What function allows to find the length of a set?
len()
What is the length of the below set:
x = {1, 1, 2}
- The 2 “1”s become one.
x will print {1, 2}
What is the length of the below set:
x = {1, (1, 2)}
- Counts 1 and the tuple.
How can you check for membership in a set? Check for both “baz” and “foo” in:
x = {“foo”, “bar}
Using “in”.
“baz” in x – False
“foo” in x – True
True or False. You can loop through a set the same way you can loop through a list or tuple.
True.
What are the two ways you can union sets? Show both for x1 and x2 (two sets).
using the “|” operator:
x1 | x2
using the .union() function:
x1. union(x2)
x1. union(x2, x3)
What can you use the .union() for that you cannot use the “|” operator for? Give an example.
When you are unioning an iterable.
x1.union((1,2,3))
x1 | (1,2,3)»_space; will give an TypeError
What is the union of sets?
Set of all distinct elements in all sets
What is the intersection of sets?
Set of only elements that exist in all sets.
What are the two ways you can intersect sets? Show both for x1 and x2 (two sets).
using the “&” operator:
x1 & x2
using the .intersection() function:
x1. intersection(x2)
x1. intersection(x2, x3)
What is the difference of sets?
Set of only elements that exist in the first set, but do not exist in any after.
What are the two ways you can find the difference of sets? Show both for x1 and x2 (two sets).
using the “-“ operator:
x1 - x2
using the .intersection() function:
x1. difference(x2)
x1. difference(x2, x3)
What is symmetric difference of sets?
This is the set of elements that exist only in a single set, but not in multiple. (Outer Join, in SQL)
What are the two ways you can find the symmetric difference of sets? Show both for x1 and x2 (two sets).
using the “^” operator:
x1 ^ x2
What is isdisjoint()?
Determines whether or not any two sets have any elements in common.
x1 = {"foo", "bar", "baz"} x2 = {"baz", "qux", "quzz"}
what will x1.isdisjoint(x2) yield? Why?
False. Because they share the element, “baz”.
x1 = {"foo", "bar", "baz"} x2 = {"baz", "qux", "quzz"}
what will x1.isdisjoint(x2 - {“baz”}) yield? Why?
True. x2 - {“baz”} removes “baz” from x2 and therefore, x1 and x2 have no elements in common.
What is issubset()?
A set is a subset of another set if every element in the first set are in the second set.
What are the two ways you can find the is subset of sets? Show both for x1 and x2 (two sets).
using the “<=” operator:
x1 <= x2
What is the difference between proper subset and issubset()? List 3.
- proper subset does not have a method
- proper subset does not work on identical subsets
- The operator is “
What is issuperset()?
A set is considered a superset of another set if the first set contains every element of the second set.
What are the two ways you can find if the set is a superset? Show both for x1 and x2 (two sets).
using the “>=” operator:
x1 >= x2
What is the difference between proper superset and issuperset()? List 3.
- proper superset does not have a method
- proper superset does not work on identical subsets
- The operator is “>” , not “>=”
How can you add an element to a set, x?
x.add(). Must be hashable element.
How can you remove an element from a set, x?
List two ways, and differences.
x. remove() - if does not exist, will throw keyError.
x. discard( does not exist, will throw not keyError.
What does x.pop() do for a set?
It will remove a random element from the set and return the value it’s removed.
How can you remove all the elements from a set, x?
x.clear(). Will remove all elements from the set x.
What are the two ways you can update a set to include elements it does not currently have? Show both for x1 and x2 (two sets).
using the “|=” operator:
x1 |= x2, operands need to be sets
using the .symmetric_difference() function:
x1.issuperset(x2) arguments need to be iterables