Q6: Explain the concept of dynamic memory allocation in C++ and how it differs from static memory allocation.
Dynamic Memory Allocation:
Definition:
Dynamic memory allocation in C++ refers to the process of allocating memory during the runtime of the program. It allows programs to request memory space as needed using the
new
operator and to release it using the
delete
operator.
Example:
int* ptr = new int; // Allocates memory for a single integer
*ptr = 10; // Assigns value to the allocated memory
delete ptr; // Frees the allocated memory
Arrays:
int* arr = new int[10]; // Allocates memory for an array of 10 integers
delete[] arr; // Frees the allocated array memory
Static Memory Allocation:
Definition: Static memory allocation occurs when memory is allocated at compile time. Variables declared using basic data types or arrays with a fixed size are statically allocated. The size of the memory allocated is fixed and cannot be changed during runtime.
Example:
int x = 10; // Memory for x is allocated at compile time
int arr[10]; // Memory for an array of 10 integers is allocated at compile time
Differences:
new
and
delete
. In static memory allocation, the memory is automatically managed by the compiler.
Q7: What is recursion, and how does it differ from iteration in C++? Provide examples.
Recursion:
Definition: Recursion is a programming technique where a function calls itself directly or indirectly to solve a problem. Recursive functions typically have a base case to stop the recursion and one or more recursive cases to continue the function calls.
Example:
// Factorial function using recursion
int factorial(int n) {
if (n <= 1) return 1; // Base case
return n * factorial(n - 1); // Recursive case
}
Iteration:
Definition:
Iteration is a technique where a set of instructions is repeated until a certain condition is met, typically using loops such as
for
,
while
, or
do-while
.
Example:
// Factorial function using iteration
int factorial(int n) {
int result = 1;
for (int i = 2; i <= n; ++i) {
result *= i;
}
return result;
}
Differences:
Q8: What is a binary search tree (BST), and how does it differ from a binary tree?
Binary Search Tree (BST):
Definition: A binary search tree (BST) is a special type of binary tree where each node has at most two children, and the left child's value is less than the parent's value, while the right child's value is greater than the parent's value.
Properties:
Example in C++:
struct Node {
int data;
Node* left;
Node* right;
Node(int x) : data(x), left(nullptr), right(nullptr) {}
};
Binary Tree:
Definition: A binary tree is a general tree structure where each node has at most two children. There are no constraints on the values of the children relative to the parent node.
Example in C++:
struct Node {
int data;
Node* left;
Node* right;
Node(int x) : data(x), left(nullptr), right(nullptr) {}
};
Differences:
O(log n)
. In a general binary tree, search operations can take
O(n)
time since there is no inherent order.
Q9: Explain the concept of tail recursion and how it differs from non-tail recursion in C++.
Tail Recursion:
Definition: Tail recursion is a special case of recursion where the recursive call is the last operation in the function. In tail-recursive functions, the result of the recursive call is immediately returned, and no further computation is needed after the call.
Example:
// Tail-recursive factorial function
int factorial(int n, int accumulator = 1) {
if (n <= 1) return accumulator; // Base case
return factorial(n - 1, n * accumulator); // Tail recursion
}
Non-Tail Recursion:
Definition: In non-tail recursion, the recursive call is not the last operation in the function. After the recursive call, the function may perform additional operations before returning the result.
Example:
// Non-tail-recursive factorial function
int factorial(int n) {
if (n <= 1) return 1; // Base case
return n * factorial(n - 1); // Non-tail recursion
}
Differences:
Q10: What is a graph, and what are the different ways to represent a graph in C++?
Graph:
Definition: A graph is a collection of nodes (also called vertices) and edges that connect pairs of nodes. Graphs can be directed (where edges have a direction) or undirected (where edges do not have a direction). They can also be weighted (where edges have a weight or cost) or unweighted.
Example of Graph Types:
Graph Representation in C++:
Adjacency Matrix:
Definition:
An adjacency matrix is a 2D array of size VxV, where V is the number of vertices in the graph. The element at row
i
and column
j
is 1 (or the weight of the edge) if there is an edge from vertex
i
to vertex
j
; otherwise, it is 0.
Example:
const int V = 4;
int graph[V][V] = {
{0, 1, 0, 0},
{1, 0, 1, 1},
{0, 1, 0, 1},
{0, 1, 1, 0}
};
Adjacency List:
Definition: An adjacency list is an array of lists. The array size is equal to the number of vertices, and each entry in the array contains a list of all the vertices adjacent to that vertex.
Example:
#include
#include
using namespace std;
const int V = 4;
vector adjList[V];
void addEdge(int u, int v) {
adjList[u].push_back(v);
adjList[v].push_back(u); // For an undirected graph
}
int main() {
addEdge(0, 1);
addEdge(1, 2);
addEdge(1, 3);
addEdge(2, 3);
// Output the adjacency list
for (int i = 0; i < V; ++i) {
cout << "Adjacency list of vertex " << i << ": ";
for (int v : adjList[i]) {
cout << v << " ";
}
cout << endl;
}
return 0;
}
Edge List:
Definition:
An edge list is a list of all the edges in the graph. Each edge is represented as a pair
(u, v)
, where
u
and
v
are the vertices connected by the edge.
Example:
#include
#include
using namespace std;
vector> edgeList;
void addEdge(int u, int v) {
edgeList.push_back({u, v});
}
int main() {
addEdge(0, 1);
addEdge(1, 2);
addEdge(1, 3);
addEdge(2, 3);
// Output the edge list
for (auto edge : edgeList) {
cout << "Edge: " << edge.first << " - " << edge.second << endl;
}
return 0;
}
Comparison:
O(V^2)
space, which can be inefficient for sparse graphs.
Request question
Please fill in the form below to submit your question.
Q11: What is the significance of the "Big O" notation in analyzing algorithms?
Big O Notation:
Definition:
Big O notation is a mathematical representation used to describe the upper bound of an algorithm's time complexity or space complexity. It provides an asymptotic analysis of the algorithm's performance as the input size (
n
) grows towards infinity.
Purpose: Big O notation helps in understanding the worst-case scenario of an algorithm's efficiency, allowing developers to compare the performance of different algorithms independently of hardware or software factors.
Common Big O Notations:
O(1):
Constant time – The algorithm's runtime does not depend on the input size.
O(log n):
Logarithmic time – The runtime grows logarithmically as the input size increases.
O(n):
Linear time – The runtime grows linearly with the input size.
O(n log n):
Linearithmic time – The runtime grows as
n log n
, typical for efficient sorting algorithms like mergesort and heapsort.
O(n^2):
Quadratic time – The runtime grows quadratically, often seen in algorithms with nested loops, such as bubble sort.
O(2^n):
Exponential time – The runtime doubles with each additional element in the input, often seen in recursive algorithms like the naive solution for the Traveling Salesman Problem.
O(n!):
Factorial time – The runtime grows factorially, typical in algorithms that generate all permutations of a set.
Importance:
Q12: What is a heap data structure, and what are the differences between a min-heap and a max-heap?
Heap:
Definition: A heap is a complete binary tree that satisfies the heap property. The heap can be either a min-heap or a max-heap based on the ordering of elements.
Complete Binary Tree: All levels of the tree are fully filled except possibly the last level, which is filled from left to right.
Min-Heap:
Definition: In a min-heap, the key at the root is the smallest among all keys present in the heap. The same property applies recursively to all nodes in the tree.
Properties:
Use Case: Min-heaps are often used in priority queues where the smallest element is dequeued first.
#include
#include
using namespace std;
int main() {
priority_queue, greater> minHeap;
minHeap.push(3);
minHeap.push(2);
minHeap.push(15);
cout << minHeap.top() << endl; // Output: 2
return 0;
}
Max-Heap:
Definition: In a max-heap, the key at the root is the largest among all keys present in the heap. The same property applies recursively to all nodes in the tree.
Properties:
Use Case: Max-heaps are used in algorithms like heapsort, and in applications where the maximum element needs to be accessed first.
#include
#include
using namespace std;
int main() {
priority_queue maxHeap;
maxHeap.push(3);
maxHeap.push(2);
maxHeap.push(15);
cout << maxHeap.top() << endl; // Output: 15
return 0;
}
Differences:
Q13: What is a hash table, and how is hashing used to store data efficiently in C++?
Hash Table:
Definition: A hash table is a data structure that maps keys to values using a hash function. It allows for efficient insertion, deletion, and lookup operations by computing an index (hash code) from the key and storing the value at that index in an array.
Hash Function:
Definition: A hash function takes an input (key) and returns an integer (hash code) that represents the index in the hash table where the corresponding value is stored.
Properties:
Collisions:
Definition: A collision occurs when two different keys produce the same hash code, leading to a situation where both keys would be mapped to the same index in the hash table.
Resolution Techniques:
Chaining: Each index in the hash table points to a linked list of elements that hash to the same index. If a collision occurs, the new key-value pair is added to the list.
Open Addressing: When a collision occurs, the algorithm searches for the next available slot in the hash table according to a probing sequence (e.g., linear probing, quadratic probing).
Example of Hash Table in C++:
#include
#include
using namespace std;
int main() {
unordered_map hashTable;
// Insert key-value pairs
hashTable["apple"] = 5;
hashTable["banana"] = 10;
// Access elements
cout << "apple: " << hashTable["apple"] << endl;
cout << "banana: " << hashTable["banana"] << endl;
return 0;
}
Efficiency:
O(1)
. However, in the worst case, where collisions are not handled well, the time complexity can degrade to
O(n)
.
O(n)
, where
n
is the number of key-value pairs stored in the table.
Applications:
Q14: What is an AVL tree, and how does it maintain balance?
AVL Tree:
Definition: An AVL tree is a self-balancing binary search tree (BST) where the difference between the heights of the left and right subtrees (balance factor) of any node is at most 1. It is named after its inventors, Adelson-Velsky and Landis.
Balance Factor: For every node in the tree, the balance factor is calculated as:
balanceFactor = height(leftSubtree) - height(rightSubtree);
The balance factor can be -1, 0, or 1.
Balancing Mechanism:
Rotations: When an insertion or deletion operation causes the tree to become unbalanced (i.e., the balance factor is not within the range [-1, 1]), the tree is rebalanced using one or more rotations.
Types of Rotations:
Example of Insertion in an AVL Tree:
struct Node {
int data;
Node* left;
Node* right;
int height;
Node(int x) : data(x), left(nullptr), right(nullptr), height(1) {}
};
int height(Node* node) {
return node ? node->height : 0;
}
int getBalanceFactor(Node* node) {
return node ? height(node->left) - height(node->right) : 0;
}
Node* leftRotate(Node* x) {
Node* y = x->right;
Node* T2 = y->left;
y->left = x;
x->right = T2;
x->height = max(height(x->left), height(x->right)) + 1;
y->height = max(height(y->left), height(y->right)) + 1;
return y;
}
Node* rightRotate(Node* y) {
Node* x = y->left;
Node* T2 = x->right;
x->right = y;
y->left = T2;
y->height = max(height(y->left), height(y->right)) + 1;
x->height = max(height(x->left), height(x->right)) + 1;
return x;
}
Node* insert(Node* node, int key) {
if (!node) return new Node(key);
if (key < node->data) node->left = insert(node->left, key);
else if (key > node->data) node->right = insert(node->right, key);
else return node;
node->height = 1 + max(height(node->left), height(node->right));
int balance = getBalanceFactor(node);
// Left Left Case
if (balance > 1 && key < node->left->data) return rightRotate(node);
// Right Right Case
if (balance < -1 && key > node->right->data) return leftRotate(node);
// Left Right Case
if (balance > 1 && key > node->left->data) {
node->left = leftRotate(node->left);
return rightRotate(node);
}
// Right Left Case
if (balance < -1 && key < node->right->data) {
node->right = rightRotate(node->right);
return leftRotate(node);
}
return node;
}
Advantages:
O(log n)
time complexity for search, insertion, and deletion operations, even in the worst case, by maintaining balance.
Disadvantages:
Q15: What is the "divide and conquer" strategy, and how is it applied in algorithm design?
Divide and Conquer:
Definition: Divide and conquer is a strategy used in algorithm design where a problem is broken down into smaller subproblems of the same or related type, solved independently, and then combined to form a solution to the original problem.
Steps Involved:
Examples of Divide and Conquer Algorithms:
Merge Sort:
Time Complexity:
O(n log n)
void merge(int arr[], int left, int mid, int right) {
int n1 = mid - left + 1;
int n2 = right - mid;
int L[n1], R[n2];
for (int i = 0; i < n1; i++) L[i] = arr[left + i];
for (int j = 0; j < n2; j++) R[j] = arr[mid + 1 + j];
int i = 0, j = 0, k = left;
while (i < n1 && j < n2) {
if (L[i] <= R[j]) arr[k++] = L[i++];
else arr[k++] = R[j++];
}
while (i < n1) arr[k++] = L[i++];
while (j < n2) arr[k++] = R[j++];
}
void mergeSort(int arr[], int left, int right) {
if (left < right) {
int mid = left + (right - left) / 2;
mergeSort(arr, left, mid);
mergeSort(arr, mid + 1, right);
merge(arr, left, mid, right);
}
}
Quick Sort:
Time Complexity:
O(n log n)
on average, but
O(n^2)
in the worst case.
int partition(int arr[], int low, int high) {
int pivot = arr[high];
int i = low - 1;
for (int j = low; j < high; j++) {
if (arr[j] <= pivot) {
i++;
swap(arr[i], arr[j]);
}
}
swap(arr[i + 1], arr[high]);
return i + 1;
}
void quickSort(int arr[], int low, int high) {
if (low < high) {
int pi = partition(arr, low, high);
quickSort(arr, low, pi - 1);
quickSort(arr, pi + 1, high);
}
}
Advantages:
Disadvantages:
Request question
Please fill in the form below to submit your question.
Q16: What is memoization in dynamic programming, and how does it improve the efficiency of recursive algorithms?
Memoization:
Definition: Memoization is a technique used in dynamic programming to improve the efficiency of recursive algorithms by storing the results of expensive function calls and reusing them when the same inputs occur again. It avoids the recomputation of subproblems by storing their results in a table (often a dictionary or array).
How It Works:
Example in C++:
#include
#include
using namespace std;
vector memo;
int fib(int n) {
if (n <= 1) return n;
if (memo[n] != -1) return memo[n];
memo[n] = fib(n - 1) + fib(n - 2);
return memo[n];
}
int main() {
int n = 10;
memo.resize(n + 1, -1);
cout << "Fibonacci of " << n << " is " << fib(n) << endl;
return 0;
}
Efficiency Improvement:
O(2^n)
in the case of calculating the Fibonacci sequence.
O(n)
, as each subproblem is solved only once.
Applications:
Q17: What is a topological sort, and in which scenarios is it used?
Topological Sort:
Definition:
Topological sort is a linear ordering of the vertices of a directed acyclic graph (DAG) such that for every directed edge
u → v
, vertex
u
comes before vertex
v
in the ordering. A topological sort is only possible if the graph has no cycles (i.e., it must be a DAG).
Algorithm:
Depth-First Search (DFS) Based Approach:
#include
#include
#include
using namespace std;
void topologicalSortUtil(int v, vector& visited, stack& Stack, vector adj[]) {
visited[v] = true;
for (int i : adj[v]) {
if (!visited[i]) {
topologicalSortUtil(i, visited, Stack, adj);
}
}
Stack.push(v);
}
void topologicalSort(int V, vector adj[]) {
stack Stack;
vector visited(V, false);
for (int i = 0; i < V; i++) {
if (!visited[i]) {
topologicalSortUtil(i, visited, Stack, adj);
}
}
while (!Stack.empty()) {
cout << Stack.top() << " ";
Stack.pop();
}
}
int main() {
int V = 6;
vector adj[V];
adj[5].push_back(2);
adj[5].push_back(0);
adj[4].push_back(0);
adj[4].push_back(1);
adj[2].push_back(3);
adj[3].push_back(1);
cout << "Topological Sort of the given graph:\n";
topologicalSort(V, adj);
return 0;
}
Applications:
Properties:
Q18: What is a trie, and how is it used for efficient string searching?
Trie:
Definition: A trie (also known as a prefix tree) is a tree-like data structure used to store a dynamic set of strings where each node represents a single character of a string. The path from the root to a particular node represents a prefix of a word.
Structure:
Operations:
Example in C++:
#include
#include
using namespace std;
struct TrieNode {
unordered_map children;
bool isEndOfWord;
TrieNode() : isEndOfWord(false) {}
};
class Trie {
private:
TrieNode*& root;
public:
Trie() {
root = new TrieNode();
}
void insert(string word) {
TrieNode*& node = root;
for (char c : word) {
if (!node->children[c]) {
node->children[c] = new TrieNode();
}
node = node->children[c];
}
node->isEndOfWord = true;
}
bool search(string word) {
TrieNode*& node = root;
for (char c : word) {
if (!node->children[c]) return false;
node = node->children[c];
}
return node->isEndOfWord;
}
};
int main() {
Trie trie;
trie.insert("apple");
trie.insert("app");
cout << trie.search("apple") << endl; // Output: 1 (true)
cout << trie.search("app") << endl; // Output: 1 (true)
cout << trie.search("appl") << endl; // Output: 0 (false)
return 0;
}
Efficiency:
O(m)
, where
m
is the length of the word. This is efficient compared to other data structures like hash tables or binary search trees, especially when dealing with a large set of strings with common prefixes.
Applications:
Q19: What is the difference between a depth-first search (DFS) and a breadth-first search (BFS) in graph traversal?
Depth-First Search (DFS):
Definition: DFS is a graph traversal algorithm that starts from a selected node (usually called the root) and explores as far as possible along each branch before backtracking. DFS uses a stack (either explicitly or via recursion) to keep track of the vertices to visit next.
Algorithm:
Example in C++:
#include
#include
#include
using namespace std;
void DFS(int v, vector adj[], vector& visited) {
stack stack;
stack.push(v);
while (!stack.empty()) {
int node = stack.top();
stack.pop();
if (!visited[node]) {
cout << node << " ";
visited[node] = true;
}
for (int i : adj[node]) {
if (!visited[i]) {
stack.push(i);
}
}
}
}
int main() {
int V = 4;
vector adj[V];
adj[0].push_back(1);
adj[0].push_back(2);
adj[1].push_back(2);
adj[2].push_back(0);
adj[2].push_back(3);
adj[3].push_back(3);
vector visited(V, false);
cout << "DFS starting from vertex 2:\n";
DFS(2, adj, visited);
return 0;
}
Breadth-First Search (BFS):
Definition: BFS is a graph traversal algorithm that starts from a selected node and explores all its neighbors before moving on to the next level of neighbors. BFS uses a queue to keep track of the vertices to visit next.
Algorithm:
Example in C++:
#include
#include
#include
using namespace std;
void BFS(int v, vector adj[], vector& visited) {
queue queue;
visited[v] = true;
queue.push(v);
while (!queue.empty()) {
int node = queue.front();
queue.pop();
cout << node << " ";
for (int i : adj[node]) {
if (!visited[i]) {
visited[i] = true;
queue.push(i);
}
}
}
}
int main() {
int V = 4;
vector adj[V];
adj[0].push_back(1);
adj[0].push_back(2);
adj[1].push_back(2);
adj[2].push_back(0);
adj[2].push_back(3);
adj[3].push_back(3);
vector visited(V, false);
cout << "BFS starting from vertex 2:\n";
BFS(2, adj, visited);
return 0;
}
Key Differences:
Q20: What is dynamic programming, and how does it differ from the divide and conquer strategy?
Dynamic Programming:
Definition: Dynamic programming (DP) is an optimization technique used to solve complex problems by breaking them down into simpler subproblems. It stores the results of subproblems to avoid redundant calculations and improve efficiency. DP is especially useful for problems with overlapping subproblems and optimal substructure properties.
Steps Involved:
Difference from Divide and Conquer:
Example of Dynamic Programming:
Fibonacci Sequence: The Fibonacci sequence can be computed efficiently using dynamic programming by storing the results of previously computed values.
#include
#include
using namespace std;
int fib(int n, vector& dp) {
if (n <= 1) return n;
if (dp[n] != -1) return dp[n];
dp[n] = fib(n - 1, dp) + fib(n - 2, dp);
return dp[n];
}
int main() {
int n = 10;
vector dp(n + 1, -1);
cout << "Fibonacci of " << n << " is " << fib(n, dp) << endl;
return 0;
}
Example of Divide and Conquer:
Merge Sort: Merge sort is a classic example of the divide and conquer strategy. The array is divided into two halves, each half is sorted recursively, and then the two sorted halves are merged.
void merge(int arr[], int left, int mid, int right) {
int n1 = mid - left + 1;
int n2 = right - mid;
int L[n1], R[n2];
for (int i = 0; i < n1; i++) L[i] = arr[left + i];
for (int j = 0; j < n2; j++) R[j] = arr[mid + 1 + j];
int i = 0, j = 0, k = left;
while (i < n1 && j < n2) {
if (L[i] <= R[j]) arr[k++] = L[i++];
else arr[k++] = R[j++];
}
while (i < n1) arr[k++] = L[i++];
while (j < n2) arr[k++] = R[j++];
}
void mergeSort(int arr[], int left, int right) {
if (left < right) {
int mid = left + (right - left) / 2;
mergeSort(arr, left, mid);
mergeSort(arr, mid + 1, right);
merge(arr, left, mid, right);
}
}
Request question
Please fill in the form below to submit your question.
(Basic)
#include
using namespace std;
void reverseArray(int arr[], int n) {
int start = 0, end = n - 1;
while (start < end) {
arr[start] = arr[end]; // Error here
arr[end] = arr[start]; // Error here
start++;
end--;
}
}
int main() {
int arr[] = {1, 2, 3, 4, 5};
int n = sizeof(arr) / sizeof(arr[0]);
reverseArray(arr, n);
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
return 0;
}
Error: The code mistakenly assigns
arr[end]
to
arr[start]
and then assigns the same value back to
arr[end]
. This results in both
arr[start]
and
arr[end]
holding the same value.
Corrected Code:
void reverseArray(int arr[], int n) {
int start = 0, end = n - 1;
while (start < end) {
swap(arr[start], arr[end]); // Corrected this line
start++;
end--;
}
}
(Basic)
#include
using namespace std;
bool isPrime(int n) {
if (n <= 1) return false;
for (int i = 2; i < n; i++) { // Inefficient loop
if (n % i == 0) return false;
}
return true;
}
int main() {
int num = 29;
if (isPrime(num))
cout << num << " is a prime number";
else
cout << num << " is not a prime number";
return 0;
}
Inefficiency: The loop checks divisibility up to
n-1
, which is unnecessary. The check can stop at the square root of
n
to reduce the number of iterations.
Optimized Code:
#include
bool isPrime(int n) {
if (n <= 1) return false;
if (n == 2 || n == 3) return true;
if (n % 2 == 0 || n % 3 == 0) return false;
for (int i = 5; i * i <= n; i += 6) {
if (n % i == 0 || n % (i + 2) == 0) return false;
}
return true;
}
(Basic)
#include
using namespace std;
void func(int a, int b = 10, int c = 20) {
cout << a << " " << b << " " << c << endl;
}
int main() {
func(1);
func(1, 2);
func(1, 2, 3);
return 0;
}
Output:
1 10 20
1 2 20
1 2 3
Explanation: The function
func
has default parameters
b = 10
and
c = 20
. When these parameters are not provided in the function call, the default values are used.
(Intermediate)
#include
#include
using namespace std;
char firstNonRepeatingChar(const string& str) {
// Your code here
}
int main() {
string str = "swiss";
cout << firstNonRepeatingChar(str) << endl;
return 0;
}
#include
char firstNonRepeatingChar(const string& str) {
unordered_map charCount;
for (char c : str) {
charCount[c]++;
}
for (char c : str) {
if (charCount[c] == 1) {
return c;
}
}
return '\0';
}
(Intermediate)
#include
using namespace std;
int maxSubArraySum(int arr[], int n) {
int maxSum = INT_MIN;
for (int i = 0; i < n; i++) {
for (int j = i; j < n; j++) {
int currentSum = 0;
for (int k = i; k <= j; k++) {
currentSum += arr[k];
}
if (currentSum > maxSum) {
maxSum = currentSum;
}
}
}
return maxSum;
}
int main() {
int arr[] = {-2, 1, -3, 4, -1, 2, 1, -5, 4};
int n = sizeof(arr) / sizeof(arr[0]);
cout << "Maximum sum of subarray: " << maxSubArraySum(arr, n);
return 0;
}
Inefficiency: The code uses a triple nested loop, resulting in
O(n^3)
time complexity, which is inefficient.
Optimized Code: Use Kadane's Algorithm, which reduces the time complexity to
O(n)
.
int maxSubArraySum(int arr[], int n) {
int maxSum = arr[0];
int currentSum = arr[0];
for (int i = 1; i < n; i++) {
currentSum = max(arr[i], currentSum + arr[i]);
maxSum = max(maxSum, currentSum);
}
return maxSum;
}
(Intermediate)
#include
using namespace std;
void mergeArrays(int arr1[], int arr2[], int n1, int n2, int arr3[]) {
int i = 0, j = 0, k = 0;
while (i < n1 && j < n2) {
if (arr1[i] < arr2[j]) {
arr3[k++] = arr1[i++];
} else {
arr3[k++] = arr2[j++];
}
}
while (i < n1) {
arr3[k++] = arr1[i++]; // Possible issue here
}
while (j < n2) {
arr3[k++] = arr2[j++]; // Possible issue here
}
}
int main() {
int arr1[] = {1, 3, 5, 7};
int arr2[] = {2, 4, 6, 8};
int n1 = sizeof(arr1) / sizeof(arr1[0]);
int n2 = sizeof(arr2) / sizeof(arr2[0]);
int arr3[n1 + n2];
mergeArrays(arr1, arr2, n1, n2, arr3);
for (int i = 0; i < n1 + n2; i++) {
cout << arr3[i] << " ";
}
return 0;
}
Error: The existing code is correct, but the prompt suggests that there might be an issue. The code merges two sorted arrays correctly.
No Correction Needed: The provided code works as intended, merging the two sorted arrays into a single sorted array.
(Advanced)
#include
using namespace std;
int factorial(int n) {
if (n <= 1) return 1;
return n * factorial(n - 1);
}
int main() {
int num = 20;
cout << "Factorial of " << num << " is " << factorial(num);
return 0;
}
Inefficiency: The recursive approach may lead to a stack overflow for large values of
n
due to deep recursion.
Optimized Code: Use an iterative approach to calculate the factorial, which avoids the risk of stack overflow.
int factorial(int n) {
int result = 1;
for (int i = 2; i <= n; i++) {
result *= i;
}
return result;
}
(Advanced)
#include
#include
using namespace std;
pair twoSum(const vector& nums, int target) {
// Your code here
}
int main() {
vector nums = {2, 7, 11, 15};
int target = 9;
pair result = twoSum(nums, target);
cout << "Indices: " << result.first << ", " << result.second << endl;
return 0;
}
#include
pair twoSum(const vector& nums, int target) {
unordered_map numMap;
for (int i = 0; i < nums.size(); i++) {
int complement = target - nums[i];
if (numMap.find(complement) != numMap.end()) {
return make_pair(numMap[complement], i);
}
numMap[nums[i]] = i;
}
return make_pair(-1, -1); // Return -1, -1 if no solution is found
}
(Advanced)
#include
using namespace std;
class Base {
public:
virtual void show() {
cout << "Base class" << endl;
}
};
class Derived : public Base {
public:
void show() {
cout << "Derived class" << endl;
}
};
int main() {
Base* b = new Derived();
b->show();
delete b;
return 0;
}
Output:
Derived class
Explanation: The
show
function is marked as virtual in the base class, enabling polymorphism. When the
show
function is called on a
Base
pointer pointing to a
Derived
object, the
Derived
class's
show
function is invoked.
(Advanced)
#include
#include
using namespace std;
bool isPalindrome(const string& s) {
string filtered;
for (char c : s) {
if (isalnum(c)) {
filtered += tolower(c);
}
}
string reversed = filtered;
reverse(reversed.begin(), reversed.end());
return filtered == reversed;
}
int main() {
string s = "A man, a plan, a canal: Panama";
cout << (isPalindrome(s) ? "True" : "False");
return 0;
}
Inefficiency: The code creates a new string
filtered
, then reverses it to compare with the original. This involves extra space and unnecessary processing.
Optimized Code: Use two pointers to compare characters from both ends of the string without creating a new string.
bool isPalindrome(const string& s) {
int left = 0, right = s.size() - 1;
while (left < right) {
while (left < right && !isalnum(s[left])) left++;
while (left < right && !isalnum(s[right])) right--;
if (tolower(s[left]) != tolower(s[right])) return false;
left++;
right--;
}
return true;
}
Request question
Please fill in the form below to submit your question.