Back

please add then this page n hffi fditf

thank you

Keywords

KeywordDescriptionCode example
False, TrueData values from the data type BooleanFalse == (1 > 2), True == (2 > 1)
and, or, notLogical operators:
(x and y) → both x and y must be True
(x or y) → either x or y must be True
(not x) → x must be false
x, y = True, False
(x or y) == True # True
(x and y) == False # True
(not y) == True # True
breakEnds loop prematurelywhile(True):
break # no infinite loop
print(“hello world”)
continueFinishes current loop iterationwhile(True):
continue
print(“43”) # dead code
class


def

Defines a new class → a real-world concept
(object oriented programming)
Defines a new function or class method. For latter,
first parameter (“self”) points to the class object.
When calling class method, first parameter is implicit.
class Beer:
def_init_(self):
self.content = 1.0
def drink(self):
self.content = 0.0
becks = Beer() # constructor – create class
becks.drink() # beer empty: b.content == 0
if,elif,elseConditional program execution: program starts with
“if” branch, tries the “elif” branches, and finishes with
“else” branch (until one branch evaluates to True).
x = int(input(“your value: “))
if x > 3: print(“Big”)
elif x == 3: print(“Medium”)
else: print(“Small”)
for,whileFor loop declaration
for i in [0,1,2]:
print(i)
# While loop – same semantics
j = 0
while j < 3:
print(j)
j = j + 1
inChecks whether element is in sequence42 in [2, 39, 42] # True
isChecks whether both elements point to the same
object
y = x = 3
x is y # True
[3] is [3] # False
NoneEmpty value constantdef f():
x = 2
f() is None # True
lambdaFunction with no name (anonymous function)(lambda x: x + 3)(3) # returns 6
returnTerminates execution of the function and passes the
flow of execution to the caller. An optional value after
the return keyword specifies the function result
def incrementor(x):
return x + 1
incrementor(4) # returns 5
                                                                           Basic Data Types
DescriptionExample
BooleanThe Boolean data type is a truth value, either True or False. The Boolean operators ordered by priority: not x → “if x is False, then x, else y” x and y → “if x is False, then x, else y” x or y → “if x is False, then y, else x” These comparison operators evaluate to True: 1 < 2 and 0 <= 1 and 3 > 2 and 2 >=2 and 1 == 1 and 1 != 0 # True1. Boolean Operations
x, y = True, False
print(x and not y) # True
print(not x and y or x) # True
2. If condition evaluates to False
if None or 0 or 0.0 or ” or [] or {} or set():
# None, 0, 0.0, empty strings, or empty
# container types are evaluated to False
print(“Dead code”) # Not reached
Integer,
Float
An integer is a positive or negative number
without floating point (e.g. 3). A float is a
positive or negative number with floating point
precision (e.g. 3.14159265359).
The ‘//’ operator performs integer division.
The result is an integer value that is rounded
toward the smaller integer number
(e.g. 3 // 2 == 1).
3. Arithmetic Operations
x, y = 3, 2
print(x + y) # = 5
print(x – y) # = 1
print(x * y) # = 6
print(x / y) # = 1.5
print(x // y) # = 1
print(x % y) # = 1s
print(-x) # = -3
print(abs(-x)) # = 3
print(int(3.9)) # = 3
print(float(3)) # = 3.0
print(x ** y) # = 9
StringPython Strings are sequences of characters.
The four main ways to create strings are the
following.
Single quotes
‘Yes’
Double quotes
“Yes”
Triple quotes (multi-line)
“””Yes
We Can”””
String method
str(5) == ‘5’ # True
Concatenation
“Ma” + “hatma” # ‘Mahatma’
These are whitespace characters in strings.
● Newline \n
● Space \s
● Tab \t
4. Indexing and Slicing
s = “The youngest pope was 11 years old”
print(s[0]) # ‘T’
print(s[1:3]) # ‘he’
print(s[-3:-1]) # ‘ol’
print(s[-3:]) # ‘old’
x = s.split() # creates string array of words
print(x[-3] + ” ” + x[-1] + ” ” + x[2] + “s”)
# ’11 old popes’
5. Most Important String Methods
y = ” This is lazy\t\n “
print(y.strip()) # Remove Whitespace: ‘This is lazy’
print(“DrDre”.lower()) # Lowercase: ‘drdre’
print(“attention”.upper()) # Uppercase: ‘ATTENTION’
print(“smartphone”.startswith(“smart”)) # True
print(“smartphone”.endswith(“phone”)) # True
print(“another”.find(“other”)) # Match index: 2
print(“cheat”.replace(“ch”, “m”)) # ‘meat’
print(‘,’.join([“F”, “B”, “I”])) # ‘F,B,I’
print(len(“Rumpelstiltskin”)) # String length: 15
print(“ear” in “earth”) # Contains: True

Complex Data types

DescriptionExample
ListA container data type that stores a
sequence of elements. Unlike strings, lists
are mutable: modification possible.
l = [1, 2, 2]
print(len(l)) # 3
Adding
elements
Add elements to a list with (i) append, (ii)
insert, or (iii) list concatenation.
The append operation is very fast
[1, 2, 2].append(4) # [1, 2, 2, 4]
[1, 2, 4].insert(2,2) # [1, 2, 2, 4]
[1, 2, 2] + [4] # [1, 2, 2, 4]
RemovalRemoving an element can be slower[1, 2, 2, 4].remove(1) # [2, 2, 4]
ReversingThis reverses the order of list elements.[1, 2, 3].reverse() # [3, 2, 1]
SortingSorts a list. The computational complexity
of sorting is linear in the no. list elements.
[2, 4, 2].sort() # [2, 2, 4]
IndexingFinds the first occurence of an element in
the list & returns its index. Can be slow as
the whole list is traversed
[2, 2, 4].index(2) # index of element 4 is “0”
[2, 2, 4].index(2,1) # index of element 2 after pos 1 is “1”
StackPython lists can be used intuitively as
stacks via the two list operations append()
and pop().
stack = [3]
stack.append(42) # [3, 42]
stack.pop() # 42 (stack: [3])
stack.pop() # 3 (stack: [])
SetA set is an unordered collection of unique
elements (“at-most-once”).
basket = {‘apple’, ‘eggs’, ‘banana’, ‘orange’}
same = set([‘apple’, ‘eggs’, ‘banana’, ‘orange’])
DictionaryThe dictionary is a useful data structure for
storing (key, value) pairs.
calories = {‘apple’ : 52, ‘banana’ : 89, ‘choco’ : 546}
Reading and writing elementsRead and write elements by specifying the
key within the brackets. Use the keys() and
values() functions to access all keys and
values of the dictionary.
print(calories[‘apple’] < calories[‘choco’]) # True calories[‘cappu’] = 74 print(calories[‘banana’] < calories[‘cappu’]) # False print(‘apple’ in calories.keys()) # True print(52 in calories.values()) # True
Dictionary LoopingYou can access the (key, value) pairs of a
dictionary with the items() method.
for k, v in calories.items():
print(k) if v > 500 else None # ‘chocolate’
Membership operatorCheck with the ‘in’ keyword whether the
set, list, or dictionary contains an element.
Set containment is faster than list
containment.
basket = {‘apple’, ‘eggs’, ‘banana’, ‘orange’}
print(‘eggs’ in basket) # True
print(‘mushroom’ in basket) # False
List and set comprehensionList comprehension is the concise Python
way to create lists. Use brackets plus an
expression, followed by a for clause. Close
with zero or more for or if clauses.
Set comprehension is similar to list
comprehension.
# List comprehension l = [(‘Hi ‘ + x) for x in [‘Alice’, ‘Bob’, ‘Pete’]] print(l) # [‘Hi Alice’, ‘Hi Bob’, ‘Hi Pete’] l2 = [x * y for x in range(3) for y in range(3) if x>y] print(l2) # [0, 0, 2] # Set comprehension squares = { x**2 for x in [0,2,4] if x < 4 } # {0, 4}

Classes

 DescriptionExample
ClassesA class encapsulates data and functionality: data as attributes, and functionality as methods. It is a blueprint for creating concrete instances in memory.class Dog: “”” Blueprint of a dog “”” # class variable shared by all instances species = [“canis lupus”] def __init__(self, name, color): self.name = name self.state = “sleeping” self.color = color def command(self, x): if x == self.name: self.bark(2) elif x == “sit”: self.state = “sit” else: self.state = “wag tail” def bark(self, freq): for i in range(freq): print(“[” + self.name + “]: Woof!”) bello = Dog(“bello”, “black”) alice = Dog(“alice”, “white”) print(bello.color) # black print(alice.color) # white bello.bark(1) # [bello]: Woof! alice.command(“sit”) print(“[alice]: ” + alice.state) # [alice]: sit bello.command(“no”) print(“[bello]: ” + bello.state) # [bello]: wag tail alice.command(“alice”) # [alice]: Woof! # [alice]: Woof! bello.species += [“wulf”] print(len(bello.species) == len(alice.species)) # True (!)
InstanceYou are an instance of the class human. An instance is a concrete implementation of a class: all attributes of an instance have a fixed value. Your hair is blond, brown, or black–but never unspecified.  Each instance has its own attributes independent of other instances. Yet, class variables are different. These are data values associated with the class, not the instances. Hence, all instance share the same class variable species in the example
SelfThe first argument when defining any method is always the self argument. This argument specifies the instance on which you call the method. self gives the Python interpreter the information about the concrete instance. To define a method, you use self to modify the instance attributes. But to call an instance method, you do not need to specify self
CreationYou can create classes “on the fly” and use them as logical units to store complex data types. class Employee(): pass employee = Employee() employee.salary = 122000 employee.firstname = “alice” employee.lastname = “wonderland” print(employee.firstname + ” ” + employee.lastname + ” ” + str(employee.salary) + “$”) # alice wonderland 122000$

Functions and tricks

DescriptionExampleResult
map(func, iter)Executes the function on all elements of
the iterable
list(map(lambda x: x[0], [‘red’,
‘green’, ‘blue’]))
[‘r’, ‘g’, ‘b’]
map(func, i1, …,
ik)
Executes the function on all k elements of
the k iterables
list(map(lambda x, y: str(x) + ‘ ‘ +
y + ‘s’ , [0, 2, 2], [‘apple’,
‘orange’, ‘banana’]))
y + ‘s’ , [0, 2, 2], [‘apple’,
‘orange’, ‘banana’]))
[‘0 apples’, ‘2
oranges’, ‘2
bananas’]
string.join(iter)Concatenates iterable elements
separated by string
‘ marries ‘.join(list([‘Alice’,
‘Bob’]))
‘Alice marries Bob’
filter(func,
iterable)
Filters out elements in iterable for which
function returns False (or 0)
list(filter(lambda x: True if x>17
else False, [1, 15, 17, 18]))
[18]
string.strip()Removes leading and trailing
whitespaces of string
print(” \n \t 42 \t “.strip())42
sorted(iter)Sorts iterable in ascending ordersorted([8, 3, 2, 42, 5])[2, 3, 5, 8, 42]
sorted(iter,
key=key)
Sorts according to the key function in
ascending order
sorted([8, 3, 2, 42, 5], key=lambda
x: 0 if x==42 else x)
[42, 2, 3, 5, 8]
help(func)Returns documentation of funchelp(str.upper())‘… to uppercase.’
zip(i1, i2, …)Groups the i-th elements of iterators i1,
i2, … together
list(zip([‘Alice’, ‘Anna’], [‘Bob’,
‘Jon’, ‘Frank’]))
[(‘Alice’, ‘Bob’),
(‘Anna’, ‘Jon’)]
UnzipEqual to: 1) unpack the zipped list, 2) zip
the result
list(zip(*[(‘Alice’, ‘Bob’),
(‘Anna’, ‘Jon’)]))
[(‘Alice’, ‘Anna’),
(‘Bob’, ‘Jon’)]
enumerate(iter)Assigns a counter value to each element
of the iterable
list(enumerate([‘Alice’, ‘Bob’,
‘Jon’]))
[(0, ‘Alice’), (1,
‘Bob’), (2, ‘Jon’)]

14 Interview Questions

Question CodeQuestionCode
Check if list
contains
integer x
l = [3, 3, 4, 5, 2, 111, 5]
print(111 in l) # True
Get missing
number in
[1…100]
def get_missing_number(lst):
return set(range(lst[len(lst)-1])[1:]) – set(l)
l = list(range(1,100))
l.remove(50)
print(get_missing_number(l)) # 50
Find duplicate
number in
integer list
def find_duplicates(elements):
duplicates, seen = set(), set()
for element in elements:
if element in seen:
duplicates.add(element)
seen.add(element)
return list(duplicates)
Compute
the
intersection
of two lists
def intersect(lst1, lst2):
res, lst2_copy = [], lst2[:]
for el in lst1:
if el in lst2_copy:
res.append(el)
lst2_copy.remove(el)
return res
Check if two
strings are
anagrams
def is_anagram(s1, s2):
return set(s1) == set(s2)
print(is_anagram(“elvis”, “lives”)) # True
Find max
and min in
unsorted list
l = [4, 3, 6, 3, 4, 888, 1, -11, 22, 3]
print(max(l)) # 888
print(min(l)) # -11
Remove all
duplicates from
list
lst = list(range(10)) + list(range(10))
lst = list(set(lst))
print(lst)
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
Reverse
string using
recursion
def reverse(string): if len(string)<=1: return string return reverse(string[1:])+string[0] print(reverse(“hello”)) # olleh
Find pairs of
integers in list
so that their
sum is equal to
integer x
def find_pairs(l, x):
pairs = []
for (i, el_1) in enumerate(l):
for (j, el_2) in enumerate(l[i+1:]):
if el_1 + el_2 == x:
pairs.append((el_1, el_2))
return pairs
Compute
the first n
Fibonacci
numbers
a, b = 0, 1
n = 10
for i in range(n):
print(b)
a, b = b, a+b
1, 1, 2, 3, 5, 8, …
Check if a
string is a
palindrome
def is_palindrome(phrase):
return phrase == phrase[::-1]
print(is_palindrome(“anna”)) # True
Sort list with
Quicksort
algorithm
def qsort(L): if L == []: return [] return qsort([x for x in L[1:] if x< L[0]]) + L[0:1] + qsort([x for x in L[1:] if x>=L[0]]) lst = [44, 33, 22, 5, 77, 55, 999] print(qsort(lst)) # [5, 22, 33, 44, 55, 77, 999]
Use list as
stack, array,
and queue
as a list …
l = [3, 4]
l += [5, 6] # l = [3, 4, 5, 6]
… as a stack …
l.append(10) # l = [4, 5, 6, 10]
l.pop() # l = [4, 5, 6]
… and as a queue
l.insert(0, 5) # l = [5, 4, 5, 6]
l.pop() # l = [5, 4, 5]
Find all
permutation
s of string
def get_permutations(w):
if len(w)<=1:
return set(w)
smaller = get_permutations(w[1:]) perms = set() for x in smaller: for pos in range(0,len(x)+1):
perm = x[:pos] + w[0] + x[pos:] perms.add(perm)
return perms print(get_permutations(“nan”)) # {‘nna’, ‘ann’, ‘nan’}

NumPy

Name DescriptionExample
a.shapeThe shape attribute of NumPy array a keeps a tuple of
integers. Each integer describes the number of elements of
the axis.
a = np.array([[1,2],[1,1],[0,0]])
print(np.shape(a)) # (3, 2)
a.ndimThe ndim attribute is equal to the length of the shape tuple.print(np.ndim(a)) # 2
*The asterisk (star) operator performs the Hadamard product,
i.e., multiplies two matrices with equal shape element-wise.
a = np.array([[2, 0], [0, 2]])
b = np.array([[1, 1], [1, 1]])
print(a*b) # [[2 0] [0 2]]
np.matmul(a,b), a@bThe standard matrix multiplication operator. Equivalent to the
@ operator.
print(np.matmul(a,b))
[[2 2] [2 2]]
np.arange([start, ]stop,
[step, ])
Creates a new 1D numpy array with evenly spaced valuesprint(np.arange(0,10,2))
[0 2 4 6 8]
np.linspace(start, stop,
num=50)
Creates a new 1D numpy array with evenly spread elements
within the given interval
print(np.linspace(0,10,3))
[ 0. 5. 10.]
np.average(a)Averages over all the values in the numpy arraya = np.array([[2, 0], [0, 2]])
print(np.average(a)) # 1.0
<slice> = <val>Replace the as selected by the slicing operator with the value <val> .a = np.array([0, 1, 0, 0, 0])
a[::2] = 2
print(a) # [2 1 2 0 2]
np.var(a)Calculates the variance of a numpy array.a = np.array([2, 6])
print(np.var(a)) # 4.0
np.std(a)Calculates the standard deviation of a numpy arrayprint(np.std(a)) # 2.0
np.diff(a)Calculates the difference between subsequent values in NumPy array afibs = np.array([0, 1, 1, 2, 3, 5])
print(np.diff(fibs, n=1))
#[1 0 1 1 2]
np.cumsum(a)Calculates the cumulative sum of the elements in NumPy array a.print(np.cumsum(np.arange(5)))
#[ 0 1 3 6 10]
np.sort(a)Creates a new NumPy array with the values from a (ascending).a = np.array([10,3,7,1,0])
print(np.sort(a))
#[ 0 1 3 7 10]
np.argsort(a)Returns the indices of a NumPy array so that the indexed values would be sorted.a = np.array([10,3,7,1,0])
print(np.argsort(a))
#[4 3 1 2 0]
np.max(a)Returns the maximal value of NumPy array aa = np.array([10,3,7,1,0])
print(np.max(a)) # 10
np.argmax(a)Returns the index of the element with maximal value in the NumPy array a.a = np.array([10,3,7,1,0])
print(np.argmax(a)) # 0
np.nonzero(a)Returns the indices of the nonzero elements in NumPy array a.a = np.array([10,3,7,1,0])
print(np.nonzero(a)) # [0 1 2 3]

3)What is the output of this program fragment? Read it carefully!

String greet = “Hi”;
String name = “Smedley”;
String nickName = name.substring(0,4);
if (nickName == name.substring(0,4));
System.out.println(“has real nickname”);
else if (greet + name == greet + nickName)
System.out.println(“no real nickname”);
else
System.out.println(“hmmm…changed names?”);

A. has real nickname
B. no real nickname
C. hmmm…changed names?
D. it’s one of the three lines given in A, B, and C above, we can’t tell which one
without running the program
E. none, because there is at least one compile-time error

When answering the next 5 questions, consider this code fragment:
int sum = 0;
int i = 0;
while (i < 5)
{
sum = sum + i;
i++;
}
System.out.print(i);
System.out.print(” “);
System.out.print(sum);

  1. What is the value of i when System.out.print(i) is executed?