Functions Built-in Flashcards
mylist = [True, True, True]
x = all(mylist)
print(x)
True
mylist = [False, True, False]
x = any(mylist)
print(x)
True
x = ascii(“My name is Ståle”)
print(x)
‘My name is St\e5le’
x = bin(3)
print(x)
# The result will always have the prefix 0b 0b11
x = bool(1)
print(x)
True
x = bytearray(2)
print(x)
bytearray(b’\x00\x00’)
x = bytes(2)
print(x)
b’\x00\x00’
def x(): a = 5
print(callable(x))
True
x = chr(97)
print(x)
a
x = complex(3,5)
print(x)
(3+5j)
class Person: name = "John" age = 36 country = "Norway"
delattr(Person, ‘age’)
The age attribute will be deleted from the Person class
x = dict(name = “John”, age = 36, country = “Norway”)
print(x)
{‘name’: ‘John’, ‘age’: 36, ‘country’: ‘Norway’}
x = divmod(5, 2)
print(x)
(2, 1)
x = ('apple', 'banana', 'cherry') y = enumerate(x)
print(list(y))
[(0, ‘apple’), (1, ‘banana’), (2, ‘cherry’)]
ages = [12, 17, 18, 24]
adults = filter(lambda a: a>=18, ages)
for x in adults:
print(x)
18
24
x = float(3)
print(x)
3.0
x = format(0.5, ‘%’)
print(x)
50.000000%
mylist = [‘apple’, ‘banana’, ‘cherry’]
x = frozenset(mylist)
print(x)
frozenset({‘apple’, ‘banana’, ‘cherry’})
class Person: name = "John" age = 36 country = "Norway"
x = getattr(Person, ‘age’)
print(x)
36
class Person: name = "John" age = 36 country = "Norway"
x = hasattr(Person, ‘age’)
print(x)
True
x = hex(255)
print(x)
#'0x' prefixes everything 0xff
What is id()?
Returns a memory address. It will be different every time.
print(“Enter your name:”)
x = input()
Allows the user to input stuff
x = isinstance(5, int)
print(x)
True
class myAge: age = 36
class myObj(myAge): name = "John" age = myAge
x = issubclass(myObj, myAge)
print(x)
True
x = iter([“apple”, “banana”, “cherry”])
print(next(x))
print(next(x))
print(next(x))
apple
banana
cherry
x = map(lambda a: len(a), (‘apple’, ‘banana’, ‘cherry’))
print(list(x))
[5, 6, 6]
x = oct(200)
print(x)
#Always starts with '0o' 0o310
f = open(“demofile.txt”, “r”)
print(f.read())
Hello! Welcome to demofile.txt
This file is for testing purposes.
Good Luck!
x = ord(“h”)
print(x)
#converts to unicode. opposite of ascii(). 104
x = pow(4, 3)
print(x)
64
alph = [“a”, “b”, “c”, “d”]
ralph = reversed(alph)
for x in ralph:
print(x)
d
c
b
a
class Person: name = "John" age = 36 country = "Norway"
setattr(Person, ‘age’, 40)
The age property will now have the value: 40
x = getattr(Person, ‘age’)
print(x)
40
a = (“a”, “b”, “c”, “d”, “e”, “f”, “g”, “h”)
x = slice(2)
print(a[x])
(‘a’, ‘b’)
a = (“b”, “g”, “a”, “d”, “f”, “c”, “h”, “e”)
x = sorted(a)
print(x)
[‘a’, ‘b’, ‘c’, ‘d’, ‘e’, ‘f’, ‘g’, ‘h’]
x = tuple((“apple”, “banana”, “cherry”))
print(x)
(‘banana’, ‘cherry’, ‘apple’)
a = ["John", "Charles", "Mike"] b = ["Jenny", "Christy", "Monica"]
x = zip(a, b)
print(list(x))
[(‘John’, ‘Jenny’), (‘Charles’, ‘Christy’), (‘Mike’, ‘Monica’)]
def hacker_speak(txt): return txt.translate(str.maketrans('aeis', '4315'))
print(hacker_speak(‘games for life!’))
g4m35 f0r l1f3!
print(eval(‘3*2’))
6