// ========== variable ==========
>>> sentence = "my name is colchicine"
>>> sentence
'my name is colchicine'
>>> sarah, bob, mike = 10, 20, 30
>>> sarah
10
>>> sarach = bob = mike = 34
>>> bob
34
>>> name, age = "colchicine", 28
>>> name
colchicine
>>> age
28
>>> age1, age2 = 28, 33
>>> age1 * age2
924
>>> age1 % age2
28
>>> firstname, lastname = "colchicine", "lin"
>>> firstname + lastname
'colchicinelin'
>>> firstname * 3
'colchicinecolchicinecolchicine'
>>> sent1 = "today was a beautiful day"
>>> sent1[6]
'w'
>>> sent1[6:14]
'was a be'
>>> sent1[:-3]
'today was a beautiful day'
>>> sent = "%s is 28 years old"
>>> name = "colchicine"
>>> sent%name
colchicine is 28 years old
>>> sent = "hello %s is %d years old"
>>> sent%("colchicine", 28)
'hello colchicine is 28 years old'
// ========== lists ==========
>>> mylists = ["apples", "oranges", "bananas", "cheese"]
>>> mylists[2]
'bananas'
>>> mylists[0:2]
['apples', 'oranges']
>>> mylists.append("colchicine")
>>> mylists
['apples', 'oranges', 'bananas', 'cheese', 'colchicine']
>>> mylists.sort()
['apples', 'bananas', 'cheese', 'colchicine', 'oranges']
>>> mylists[1: 2]
['bananas']
>>> del mylists[1]
['apples', 'cheese', 'colchicine', 'oranges']
>>> len(mylists)
4
>>> mylists * 2
['apples', 'cheese', 'colchicine', 'oranges', 'apples', 'cheese', 'colchicine', 'oranges']
>>> lists = [3, 5, 6, 8, 32, 43, 43]
>>> max(lists)
43
>>> min(lists)
3
// ========== dictionary ==========
>>> students = {"colchicine": 12, "tina": 44, "emily":66}
>>> students
{'colchicine': 12, 'tina': 44, 'emily':66}
>>> students["colchicine"]
12
>>> len(students)
3
// ========== tupe ==========
>>> tup = ("apple", "bananas", "orange")
>>> tup
('apple', 'bananas', 'orange')
>>> tup[1]
'bananas'
// ========== condition ==========
>>> age = 16
>>> if (age < 13):
... print("you are young")
... elif (age >= 13 and age <= 18):
... print("you are a teenager")
... else:
... print("you are an adult")
...
you are a teenager
// ========== for loop ==========
>>> lists = ["apples", "banans", "cherries"]
>>> for i in lists:
... print(i)
...
apples
banans
cherries
>>> tup = (23, 435, 65)
>>> for i in tup:
... print(i)
...
23
435
65
>>> for i in range(0, 10):
... print(i)
...
0
1
2
3
4
5
6
7
8
9
>>> for i in range(0, 10, 2):
... print(i)
...
0
2
4
6
8
// ========== while loop ==========
>>> counter = 0
>>> while (counter < 5):
... print(counter)
... counter = counter +1
...
0
1
2
3
4
>>> counter = 0
>>> while (counter < 5):
... print(counter)
... if (counter == 3):
... break
... counter = counter +1
...
0
1
2
3
>>> counter = 0
>>> while (counter < 5):
... counter = counter +1
... if (counter == 3):
... continue
... print(counter)
...
0
1
2
4
5