--

TEMPLATE in Python

from typing import TypeVar, Generic, List

T = TypeVar('T')

class Stack(Generic[T]):
def __init__(self) -> None:
# Create an empty list with items of type T
self.items: List[T] = []

def push(self, item: T) -> None:
self.items.append(item)

def pop(self) -> T:
return self.items.pop()

def empty(self) -> bool:
return not self.items
# Construct an empty Stack[int] instance
stack = Stack[int]()
stack.push(2)
stack.pop()
stack.push('x') # Type error
2. do while loop in Python
The do while loop is used to check condition after executing the statement. It is like while loop but it is executed at least once.
i = 1
while True:
print(i)
i = i + 1
if(i > 5):
break

--

--