You signed in with another tab or window. Reload to refresh your session.You signed out in another tab or window. Reload to refresh your session.You switched accounts on another tab or window. Reload to refresh your session.Dismiss alert
# Initialization:arr= [1, 2, 3, 4, 5]
# Length of list:length=len(arr)
# Iterate through list:foriinrange(length):
# Process arr[i]# Alternative iteration:forvalinarr:
# Process val# Sorting list:arr.sort()
Lists (Dynamic Arrays):
# Initialization:vec= [1, 2, 3, 4, 5]
# Length of list:length=len(vec)
# Iterate through list:foriinrange(length):
# Process vec[i]# Alternative iteration:forvalinvec:
# Process val# Sorting list:vec.sort()
Linked List:
# Node class:classListNode:
def__init__(self, x):
self.val=xself.next=None# Insertion at the end:definsert(head, value):
new_node=ListNode(value)
ifnothead:
head=new_nodeelse:
temp=headwhiletemp.next:
temp=temp.nexttemp.next=new_node# Traversal:temp=headwhiletemp:
# Process temp.valtemp=temp.next
Stacks:
# Using lists as stacks:stack= []
# Push and pop elements:stack.append(1)
stack.pop()
# Checking if stack is empty:is_empty=notstack# Accessing the top element:ifstack:
top_element=stack[-1]
Queues:
# Using collections.deque as a queue:fromcollectionsimportdeque# Initialization:queue=deque()
# Enqueue and dequeue:queue.append(1)
queue.popleft()
# Checking if queue is empty:is_empty=notqueue# Accessing the front element:ifqueue:
front_element=queue[0]
Dictionaries (Hash Maps):
# Initialization:my_dict= {1: "One", 2: "Two"}
# Accessing values safely:value=my_dict.get(1, None)
# Iterating through the dictionary:forkey, valueinmy_dict.items():
# Process key and value
Trees:
# Node class:classTreeNode:
def__init__(self, x):
self.val=xself.left=Noneself.right=None# Tree traversal (Inorder, Preorder, Postorder):definorder(root):
ifroot:
inorder(root.left)
# Process root.valinorder(root.right)
# Searching in a binary search tree:defsearch(root, key):
whileroot:
ifroot.val==key:
returnTrueelifkey<root.val:
root=root.leftelse:
root=root.rightreturnFalse