Python Quizz Dive into our tech quiz zone and put your technical skills to the test! Our quizzes cover a wide array of technical topics, perfect for sharpening your knowledge and challenging your understanding. Compete with others, see your rankings, and boost your technical proficiency. Start quizzing today! 1 / 70 1. What is the output of the following code?def func(x):return lambda y: x + yf = func(10)print(f(5)) 5 15 TypeError 10 2 / 70 2. 56. What will be the output of the following code?class A: def __init__(self, x): self.x = x def __str__(self): return f'Value: {self.x}'obj = A(10)print(obj) Value: 10 None A object at ... 10 3 / 70 3. What will be the output of the following code?import weakrefclass A: passa = A()r = weakref.ref(a)print(r())del aprint(r()) A object at ... and None A object at ... and A object at ... TypeError None and None 4 / 70 4. What will be the output of the following code?import repattern = re.compile(r'\d+')result = pattern.findall('My number is 123 and my friend's number is 456')print(result) ['123456'] ['My number is', 'and my friend's number is'] ['123'] ['123', '456'] 5 / 70 5. What will be the output of the following code?import repattern = re.compile(r'\d+')result = pattern.sub('#', 'My number is 123 and my friend's number is 456')print(result) My number is 123 and my friend's number is 456 None My number is 123 and my friend's number is # My number is # and my friend's number is # 6 / 70 6. What will be the output of the following code?class A:def __init__(self, x):self.x = xdef __add__(self, other):return A(self.x + other.x)obj1 = A(1)obj2 = A(2)obj3 = obj1 + obj2print(obj3.x) 2 TypeError 1 3 7 / 70 7. Which of the following is true about coroutines in Python? Both A and C They are a special kind of generator function They use the async def keyword They use the yield keyword 8 / 70 8. What is the purpose of the @functools.wraps decorator in Python? To create a new function To time the execution of a function To modify the return value of a function To preserve the metadata of the original function 9 / 70 9. Which of the following is true about Python inheritance? A class cannot inherit from another class A class can inherit from itself A class can inherit from one class only A class can inherit from multiple classes 10 / 70 10. What does the following code do?class C:def __init__(self, x):self.x = xdef __call__(self, y):return self.x + yobj = C(10)print(obj(5)) 10 15 None TypeError 11 / 70 11. What will be the output of the following code?import logginglogging.basicConfig(level=logging.INFO)logging.debug('Debug message')logging.info('Info message')logging.warning('Warning message') None Debug messagenInfo messagenWarning message Info messagenWarning message Warning message 12 / 70 12. What is the purpose of the await keyword in Python? To suspend the execution of a coroutine until the awaited result is available To pause the execution of a coroutine To create a coroutine To terminate a coroutine 13 / 70 13. What is the result of the following code?class A:def __init__(self):self.a = 1self.__b = 2class B(A):def __init__(self):super().__init__()self.a = 3self.__b = 4obj = B()print(obj.a)print(obj._A__b) 1 and 2 3 and AttributeError 3 and 4 3 and 2 14 / 70 14. What is the purpose of the nonlocal keyword in Python? To modify a variable in an enclosing scope To delete a variable To declare a global variable To indicate that a variable is not local 15 / 70 15. Which of the following is true about Python's garbage collector? It uses generational garbage collection It uses reference counting It can be manually controlled All of the above 16 / 70 16. What is the purpose of the partial function in the functools module? To reduce the number of arguments to a function To modify the return value of a function To apply a function partially To create a partial function 17 / 70 17. What is the purpose of the __new__ method in a Python class? To create a new instance of the class To modify an instance of the class To initialize a new instance of the class To delete an instance of the class 18 / 70 18. What is the output of the following code?a = [1, 2, 3]b = aa = a + [4, 5]print(b) [1, 2, 3, 4, 5] None [1, 2, 3] TypeError 19 / 70 19. What will be the output of the following code?def generator_func():yield 1yield 2yield 3g = generator_func()print(next(g))print(next(g))print(next(g))print(next(g)) 1 2 3 Error 1 2 3 None 1 2 3 StopIteration 1 2 3 Exception 20 / 70 20. What is the purpose of the GIL (Global Interpreter Lock) in Python? To manage memory allocation To allow multiple threads to execute Python bytecodes at once To handle exceptions To prevent multiple threads from executing Python bytecodes at once 21 / 70 21. Which method in the os module is used to change the current working directory? os.rmdir() os.mkdir() os.chdir() os.getcwd() 22 / 70 22. Which module is used to handle date and time in Python? date time datetime calendar 23 / 70 23. What will be the output of the following code?import pdbdef test():pdb.set_trace()print("Hello, World!")test() Hello, World!npdb> Hello, World! pdb> None 24 / 70 24. Which method is used to read all lines of a file into a list? readlines() readline() read() readall() 25 / 70 25. What will be the output of the following code?import multiprocessingdef print_numbers():for i in range(5):print(i)p1 = multiprocessing.Process(target=print_numbers)p2 = multiprocessing.Process(target=print_numbers)p1.start()p2.start()p1.join()p2.join() 0 0 1 1 2 2 3 3 4 4 5 5 5 5 5 0 1 2 3 4 0 1 2 3 4 0 1 2 3 4 26 / 70 26. What will be the output of the following code?with open('test.txt', 'w') as f: f.write('Hello, World!')with open('test.txt', 'rb') as f: print(f.read()) FileNotFoundError Hello, World! None b'Hello, World!' 27 / 70 27. What is the purpose of the __del__ method in a Python class? To modify an instance of the class To initialize an instance of the class To create an instance of the class To delete an instance of the class 28 / 70 28. Which method is used to dynamically create a class in Python? class() meta() type() object() 29 / 70 29. Which module is used for debugging in Python? debug pdb logging traceback 30 / 70 30. What is the output of the following code?from collections import dequed = deque([1, 2, 3, 4])d.appendleft(0)d.pop()d.extend([5, 6])d.rotate(1)print(d) deque([6, 0, 1, 2, 3, 4]) deque([0, 1, 2, 3, 5, 6]) deque([5, 6, 0, 1, 2, 3]) deque([6, 0, 1, 2, 3, 5]) 31 / 70 31. What does the __getattr__ method do in a Python class? It is called when an attribute is deleted It is called when an attribute is set It is called when an attribute is accessed It is called when an attribute does not exist 32 / 70 32. Which of the following is a Python memory management technique? Memory pooling All of the above Garbage collection Reference counting 33 / 70 33. What is the purpose of the set_trace method in the pdb module? To start a debugging session To step through the code To display the traceback To set a breakpoint 34 / 70 34. What does the following code do?from contextlib import contextmanager@contextmanagerdef open_file(name):f = open(name, 'w')try:yield ffinally:f.close()with open_file('test.txt') as f:f.write('Hello, World!') Does nothing Raises a SyntaxError Writes Hello, World! to test.txt Raises a FileNotFoundError 35 / 70 35. What will be the output of the following code?import threadingdef print_numbers():for i in range(5):print(i)t1 = threading.Thread(target=print_numbers)t2 = threading.Thread(target=print_numbers)t1.start()t2.start()t1.join()t2.join() 5 5 5 5 5 0 1 2 3 4 0 1 2 3 4 0 1 2 3 4 0 0 1 1 2 2 3 3 4 4 36 / 70 36. What will be the output of the following code?import repattern = re.compile(r'(\d{3})-(\d{2})-(\d{4})')match = pattern.match('123-45-6789')print(match.groups()) ('123-45', '6789') ('123-45-6789') ('123', '45', '6789') ('123', '456', '789') 37 / 70 37. What will be the output of the following code?import sysa = []b = aprint(sys.getrefcount(a)) 2 1 3 4 38 / 70 38. What is the purpose of the __call__ method in a Python class? To compare objects To make an object callable like a function To initialize an object To delete an object 39 / 70 39. What will be the output of the following code?import heapqh = [3, 1, 4, 1, 5, 9, 2, 6]heapq.heapify(h)print([heapq.heappop(h) for _ in range(3)]) [1, 1, 2] [3, 1, 4] [1, 3, 4] [1, 4, 1] 40 / 70 40. What will be the output of the following code?with open('test.txt', 'w') as f:f.write('Hello, World!')with open('test.txt', 'r') as f:print(f.read()) `` FileNotFoundError None Hello, World! 41 / 70 41. Which module is used to create and manage complex data structures in Python? itertools heapq functools collections 42 / 70 42. What will be the output of the following code?def func(a, b=[]):b.append(a)return bprint(func(1))print(func(2)) [1, 1] and [2, 2] [1] and [1, 2] [1] and [2, 2] [1] and [2] 43 / 70 43. What will be the output of the following code?import unittestclass TestStringMethods(unittest.TestCase): def test_upper(self): self.assertEqual('foo'.upper(), 'FOO')if __name__ == '__main__': unittest.main() Test passes Test fails ImportError Syntax error 44 / 70 44. What will be the output of the following code?class A:passobj = A()print(type(obj).__name__) class object None A 45 / 70 45. What will be the output of the following code?def decorator_func(func):def wrapper(*args, **kwargs):print("Before")result = func(*args, **kwargs)print("After")return resultreturn wrapper@decorator_funcdef say_hello():print("Hello!")say_hello() BeforenAfternHello! BeforenHello!nAfter Hello!nBeforenAfter Hello!nAfternBefore 46 / 70 46. What will be the output of the following code?class A:def __init__(self):self.value = 42obj = A()print(getattr(obj, 'value')) None 0 42 AttributeError 47 / 70 47. What will be the output of the following code?from functools import reduceresult = reduce(lambda x, y: x + y, [1, 2, 3, 4, 5])print(result) 10 15 1 5 48 / 70 48. What is the purpose of the tell method in file handling? To get the current file pointer position To close a file To read a file To write to a file 49 / 70 49. Which function is used to get the reference count of an object in Python? sys.getrefcount() ref.get_count() memory.get_refcount() gc.get_refcount() 50 / 70 50. What is the purpose of the __slots__ attribute in a Python class? To create a new instance of the class To initialize a new instance of the class To delete an instance of the class To limit the memory footprint of instances 51 / 70 51. What will be the output of the following code?from collections import defaultdictd = defaultdict(int)d['a'] += 1d['b'] += 2d['c'] += 3print(d['a'], d['b'], d['c'], d['d']) 1 2 3 KeyError 0 0 0 0 None 1 2 3 0 52 / 70 52. What will be the output of the following code?def decorator_func(func):def wrapper(*args, **kwargs):print("Wrapper executed this before {}".format(func.__name__))return func(*args, **kwargs)return wrapper@decorator_funcdef display():print("Display function ran")display() Display function rannWrapper executed this before display Wrapper executed this before displaynDisplay function ran Display function ran Wrapper executed this before display 53 / 70 53. What does the yield from statement do in Python? It is used to delegate part of a generator's operations to another generator It is used to return multiple values It is used to throw an exception in a generator It is used to exit a generator 54 / 70 54. What will be the output of the following code?from itertools import cyclecolors = ['red', 'green', 'blue']cycle_colors = cycle(colors)for _ in range(5):print(next(cycle_colors)) red green blue red green red green blue red green blue blue blue None 55 / 70 55. Which module is used for asynchronous programming in Python? concurrent.futures multiprocessing asyncio threading 56 / 70 56. What will be the output of the following code?def func(x, y, z=3, *args, **kwargs):return x + y + z + sum(args) + sum(kwargs.values())print(func(1, 2, 3, 4, 5, a=6, b=7)) 28 29 15 None 57 / 70 57. Which module is used for JSON manipulation in Python? json ujson simplejson xml 58 / 70 58. Which module is used for creating processes in Python? asyncio multiprocessing concurrent.futures threading 59 / 70 59. Which method is used to read a specific number of bytes from a file? read() readlines() read(size) readline() 60 / 70 60. Which method is used to convert a string to a frozenset? to_frozenset() frozenset() convert() set() 61 / 70 61. Which of the following is true about lambda functions in Python? They are defined using the def keyword Both B and C They are anonymous functions They can have multiple statements 62 / 70 62. What is the purpose of the gc module in Python? To provide access to reference counting functions To provide access to memory management functions To provide access to the garbage collector To provide access to file handling functions 63 / 70 63. Which method in the re module is used to search for a pattern in a string? search() find() match() lookup() 64 / 70 64. Which module is used for mocking in Python? testing unittest unittest.mock mocking 65 / 70 65. Which of the following is true about namedtuples? They are ordered Both B and C They can be indexed by field names and positions They are mutable 66 / 70 66. Which of the following is true about context managers in Python? They are used to allocate and release resources All of the above They must define __enter__ and __exit__ methods They use the with statement 67 / 70 67. What is the purpose of the seek method in file handling? To close a file To read a file To write to a file To move the file pointer to a specific position 68 / 70 68. What is the purpose of the @patch decorator in the unittest.mock module? To raise an exception To create a test suite To replace a method or an object with a mock To run the tests 69 / 70 69. Which method is used to replace all occurrences of a pattern in a string? re.findall() re.search() re.replace() re.sub() 70 / 70 70. What will be the output of the following code?import osos.chdir('/tmp')print(os.getcwd()) None / tmp /tmp Your score is 0%