Python Code Flashcards
How to print Hello to terminal?
print(“Hello”)
How to create variable x and then assign value 10 or maybe Hello?
x = 10
x = “Hello”
What symbol is called the assignment operator?
- =
What is the difference between :
1. d = 1 + 4
2. d = “Hello” + “ World”
- 5
- Hello World
- in string is called concatenation
How to know what type value is it in python?
e = 1
y = “Hello”
z = 42.0
type(e)
<type ‘str’>
type(y)
<type ‘int’>
type(z)
<type ‘float’>
How to change string 123 toint?
e = “123”
e_int = int(e)
- Using int() , str() or float()
How to input from user?
name = input(“Name : “)
print(name)
List out 2 methods for commenting
- # ( Single-line Comment )
- ”””””” ( Multi-line Comment )
How to print Hi using multiple 5?
print ( “Hi” * 5 )
What code do we need to put semicolons ?
- if, elif , else
- for, while
- try, except
- def ( functions )
- File Handling ( with open (“g.txt” , “r”) as f : )
- Class Definitions
List out all relational operators
- < Less than
- > Greater than
- == Equal to
- <= Less than or equal to
- > = Greater than or equal to
- != or <> Not equal to
List out all logical operators
- && ( And )
- || ( Or )
- ! ( Not )
Write a program to display the below conditions
1. Below 18 - Not Ok
2. Above 18 & Below 60 - OK
3. Above 60 - Old
age = int(input(“Age : “))
if ( age < 18 ):
print(“Not Ok”)
elif ( age >= 18 ) and ( age < 60 ):
print(“Ok”)
else:
print(“Old”)
How to receive only int input and print out error message when entering wrong values?
try:
age = int(input(“Age : “)
print(“Your age : “ , age )
except ValueError:
print(“Please enter integer values only!”)
List out all the loops type ( 2 )
- While Loops
- For Loops
How to use loop to display integers from 10 to 30?
i = 10
while i <= 30:
print(i)
i += 1
print(“End”)
for i in range(10,31):
print(i)
How to loop using Lists?
pokemon = [“Pikachu”,”Zacian”,”Gengar”]
for i in pokemon:
print( i , “had been registered to pokedex”)
- If it was print( pokemon , “had been registered to pokedex”), it will have below input for 3 times
[‘Pikachu’, ‘Zacian’, ‘Gengar’] had been registered to pokedex
How to sum inside a loop?
total = 0
for i in [9 , 41, 12, 3, 74, 15]:
print(f”Total = {total} + {i}”)
total = total + i
print(total)
How to find the average in the loop?
total = 0
count = 0
for i in [9 , 41, 12, 3, 74, 15]:
total = total + i
count += 1
print(f”Average = {total} / {count}”)
average = total / count
print(f”Average = {average}”)
How to filter the loop, given a list [9 , 41, 12, 3, 74, 15] which requires to print values that is greater than 20?
for i in [9 , 41, 12, 3, 74, 15]:
if i > 20:
print(i)
How to search using the Boolean Variable? ( Given list [9 , 41, 12, 3, 74, 15] find value 3 )
found = False
for i in [9 , 41, 12, 3, 74, 15]:
if i == 3:
print(“3 is in the list”)
found = True
print(“Found : “ , found )
How to find the smallest value? ( Given list [9 , 41, 12, 3, 74, 15] find the smallest value )
small = 0
for i in [9 , 41, 12, 3, 74, 15]:
if small == 0:
small = i
elif i < small:
small = i
print(“Smallest : “, small)
print(“Most Smallest Value : “ , small)
Which is Parameter of Arguments?
1. def print_msg(msg_text):
2. print_msg(“Good Morning”)
- Parameter
- Arguments
What is the difference between Non-Fruitful and Fruitful Function?
- Fruitful functions will produce a result ( return value ) while Non-Fruitful Function will won’t return a value
Try to define a functions to print message from it
def print_msg(msg)
print(msg)
print_msg(“Good Morning”)
How to read from file?
with open ( “user.txt” , “r” ) as f:
for line in f:
print(f)
f = open( “user.txt”, “r” )
for line in f:
print(line)
How to write into file?
user_name = input(“Username : “)
f = open ( “user.txt” , “a” )
f.write(f”{name})
f.close()
print(“Record added”)
with open ( “user.txt” , “a”) as f:
f.write(user_name)
print(“Record Added”)
How to count how many lines in a file?
count = 0
with open ( “staff.txt” , “r” ) as f:
for line in f:
count = count + 1
print(count)
How to search through a file?
with open ( “staff.txt” , “r” ) as f:
for line in f:
if line.startswith(“Jill”)
print(line)
How to read from a file without blank spaces of lines?
with open ( “staff.txt” , “r” ) as f:
for line in f:
staff_details = f.strip()
print(staff_details)
How to skip a record? ( Skip printing Jack )
with open ( “staff.txt” , “r” ) as f:
for line in f:
line = line.rstrip()
if line.startswith(“Jack”):
continue
print(line)
How to select Jack records using in?
with open ( “staff.txt” , “r” ) as f:
for line in f:
line = line.rstrip()
if “Jack” in line:
print(line)
What error will be getting here?
zot = “abc”
print(zot[5])
Index Error
How to know the lenfth of a banana?
fruits = “banana”
print(len(fruits)) # 6
How to show
b
a
n
a
n
a
fruits = “banana”
k = 0
while k < len(fruits):
print(fruits[k])
k += 1
How to find how many a’s is in the banana word?
fruits = “banana”
count_a = 0
for letter in fruits:
if letter ==”a”
count_a = count_a + 1
print(count_a)
- letter in for letter in fruits is just like for i in fruits
How to let python returns True is there is na in banana?
fruits = “banana”
print(“na” in fruits) # True
print(“ta” in fruits) # False
Create a variable with the value Monty Python on it, then print out the following condition using Slicing Strings:
1. Mont
2. P
3. Python
4. Mo
5. thon
6. Monty Python
s = “Monty Python”
1. print(s[0:4])
2. print(s[6:7])
3. print(s[6:]) / print(s[6:20])
4. print(s[:2]) / print(s[0:2])
5. print(s:[8:]) / print(s[8:12])
6. print(s[:])
List out indexing method
- Basic Indexing
- [1] Return character at index 1
- [ -1 ] Return the last character
- Slicing Notation
- [ start : end ]
- [ : ] Returns the entire sequence
- [ 2 : ] Returns from index 2 to end
- [ : 2 ] Returns from the beginning to the end index ( not include the end character )
- [ 1 : 3 ] Returns from index 1 to 2
- Slicing with Step
- [ start : end : step ]
- [ :: 2 ] Return every second character from start to end
- [ 1: : 2 ] Return every second character starting from index 1
- [ :: -1 ] Return the reversed value ( banana to ananab
List out the built in String Library Functions ( 3 )
- count
- endswith
- lower ( .lower() )
How to search the character “na” from banana and change it to “z”?
fruit = “banana”
search = fruit.find(“na”)
print(search) # Returns the index
change = fruit.replace(“na”,”z”)
print(change) # bazz
How to output the string from “ banana “ to below?
1. banana
2. banana
3. banana
fruit = “banana”
1. fruit.lstrip()
2. fruit.rstrip()
3. fruit.strip()
How to split strings?
line = “John, john@mail.com”
name,email = line.strip.split(“,”)
print(f”Name : {name}”
print(f”Email : {email}”
How to create a new list using range to generate from 0 to 10 and 2 to 6?
- new_list = list(range(10))
- new_list = list(range(2,7))
- Or we can manually add
new_list = [ 2 , 3 , 4 , 5 , 6 ]
How to add new data to list with the condition below:
1. Add 3 to the last of the list
2. Add 3 to the first index
new_list = [1 , 2 , 3]
1. new_list.append(3) # [1 , 2 , 3 , 3]
2. new_list[1] = 3 # [1 , 3 , 3]
How to scan through the list ? [ 3 , 4, 5, 6 ]
new_list = [ 3, 4 , 5, 6 ]
for i in new_list:
print(i)
How to search 4 in the list ? [ 3 , 4, 5, 6 ]
new_list = [ 3 , 4 , 5 , 6 ]
for i in new_list:
if ( i == 4 ):
print( i , “found in the list” )
List out the list functions for sum, len, pop , insert and remove
- sum(new_list) # Returns the sum of integers
- len(new_list) # Return the length of the list
- pop(2) # Removes element at index 2
- insert ( 0, 200 ) Insert at position 0 the element 200
- remove(20) # removes element 20 from the list
How to add items into dictionary?
newStudent = {}
newStudent[‘TP’] = “TP123456”
newStudent[‘Name’] = “John”
Output :
newStudent = {
‘TP’ : “TP123456”
‘Name’ : “John”
}
- Access Dictionary Items
print(newStudent.get(“Name”))
How to write inside json file?
userDetails[f”user_{un}”] = {‘username’ : un , ‘password’ : pw , ‘email’ ; em }
with open( “users.json” , “w” ) as f:
json.dump(userDetails, f , indent = 2 )
How to read from json file?
with open( “users.json” , “r” ) as f:
allUsers = json.load(f)
for id, userData in allUsers.items(): print("\n") print(f"Username = {userData['username']}"