Add office photos
MAQ Software logo
Employer?
Claim Account for FREE

MAQ Software

1.9
based on 353 Reviews
Filter interviews by
Designation
Fresher
Experienced
Skills
Clear (1)

50+ MAQ Software Interview Questions and Answers for Freshers

Updated 14 Jul 2024
Popular Designations

Q1. Nth Fibonacci Number Problem Statement

Calculate the Nth term in the Fibonacci sequence, where the sequence is defined as follows: F(n) = F(n-1) + F(n-2), with initial conditions F(1) = F(2) = 1.

Input:

The inp...read more
Ans.

Calculate the Nth Fibonacci number efficiently using dynamic programming.

  • Use dynamic programming to store previously calculated Fibonacci numbers to avoid redundant calculations.

  • Start with base cases F(1) and F(2) as 1, then iterate to calculate F(N) efficiently.

  • Time complexity can be optimized to O(N) using dynamic programming.

  • Example: For N = 5, the 5th Fibonacci number is 5.

Add your answer
right arrow

Q2. Print Series Problem Statement

Given two positive integers N and K, your task is to generate a series of numbers by subtracting K from N until the result is 0 or negative, then adding K back until it reaches N ...read more

Ans.

Generate a series of numbers by subtracting K from N until 0 or negative, then adding K back to reach N without using loops.

  • Create a recursive function to generate the series.

  • Subtract K from N until N is 0 or negative, then add K back until N is reached.

  • Return the series as an array of integers.

Add your answer
right arrow

Q3. Unique Element In Sorted Array

Nobita wants to impress Shizuka by correctly guessing her lucky number. Shizuka provides a sorted list where every number appears twice, except for her lucky number, which appears...read more

Ans.

Find the unique element in a sorted array where all other elements appear twice.

  • Iterate through the array and XOR all elements to find the unique element.

  • Use a hash set to keep track of elements and find the unique one.

  • Sort the array and check adjacent elements to find the unique one.

Add your answer
right arrow

Q4. Remove Invalid Parentheses

Given a string containing only parentheses and letters, your goal is to remove the minimum number of invalid parentheses to make the input string valid and return all possible valid s...read more

Ans.

Given a string with parentheses and letters, remove minimum invalid parentheses to make it valid and return all possible valid strings.

  • Use BFS to explore all possible valid strings by removing parentheses one by one

  • Keep track of visited strings to avoid duplicates

  • Return all unique valid strings obtained after removing minimum number of parentheses

Add your answer
right arrow
Discover MAQ Software interview dos and don'ts from real experiences

Q5. Problem: Permutations of a String

Given a string STR consisting of lowercase English letters, your task is to return all permutations of the given string in lexicographically increasing order.

Explanation:

A st...read more

Ans.

Return all permutations of a given string in lexicographically increasing order.

  • Use backtracking to generate all permutations of the string.

  • Sort the permutations in lexicographical order before printing.

  • Ensure the string contains unique characters for correct output.

  • Handle multiple test cases by iterating over each case.

Add your answer
right arrow

Q6. Rotate Array Problem Statement

The task is to rotate a given array with N elements to the left by K steps, where K is a non-negative integer.

Input:

The first line contains an integer N representing the size of...read more
Ans.

Rotate a given array to the left by K steps.

  • Create a new array to store the rotated elements.

  • Use modular arithmetic to handle cases where K is greater than the array size.

  • Shift elements to the left by K steps and update the new array.

  • Return the rotated array as output.

Add your answer
right arrow
Are these interview questions helpful?

Q7. Remove String from Linked List Problem

You are provided with a singly linked list where each node contains a single character, along with a string 'STR'. Your task is to remove all occurrences of the string 'ST...read more

Ans.

Remove all occurrences of a specified string from a singly linked list by checking from the end of the list.

  • Traverse the linked list from the end to efficiently remove the specified string occurrences.

  • Update the pointers accordingly after removing the string to maintain the integrity of the linked list.

  • Consider edge cases such as when the entire linked list contains the specified string.

  • Use a temporary buffer to keep track of the nodes that need to be removed.

Add your answer
right arrow

Q8. Sort String with Alternate Lower and Upper Case

Given a string STR containing both lowercase and uppercase letters, the task is to sort the string so that the resulting string contains uppercase and lowercase l...read more

Ans.

Sort a string with alternate lowercase and uppercase letters in sorted order.

  • Create two separate arrays for lowercase and uppercase letters.

  • Sort both arrays individually.

  • Merge the two arrays alternately to form the final sorted string.

Add your answer
right arrow
Share interview questions and help millions of jobseekers 🌟
man with laptop

Q9. MergeSort Linked List Problem Statement

You are given a Singly Linked List of integers. Your task is to sort the list using the 'Merge Sort' algorithm.

Input:

The input consists of a single line containing the ...read more
Ans.

Sort a Singly Linked List using Merge Sort algorithm.

  • Implement the Merge Sort algorithm for linked lists.

  • Divide the list into two halves, sort each half recursively, and then merge them.

  • Make sure to handle the base case of an empty or single-node list.

  • Example: Input: 4 3 2 1 -1, Output: 1 2 3 4

Add your answer
right arrow

Q10. Which data structure inserts and deletes in O(1) time and is it possible to create a data structure with insertion, deletion and search retrieval in O(1) time

Ans.

Hash table. No, it is not possible to create a data structure with all operations in O(1) time.

  • Hash table uses a hash function to map keys to indices in an array.

  • Insertion and deletion can be done in O(1) time on average.

  • Search retrieval can also be done in O(1) time on average.

  • However, worst-case scenarios can result in O(n) time complexity.

  • It is not possible to create a data structure with all operations in O(1) time.

Add your answer
right arrow

Q11. Find the Kth Row of Pascal's Triangle Problem Statement

Given a non-negative integer 'K', determine the Kth row of Pascal’s Triangle.

Example:

Input:
K = 2
Output:
1 1
Input:
K = 4
Output:
1 4 6 4 1

Constraints...read more

Ans.

To find the Kth row of Pascal's Triangle given a non-negative integer K.

  • Create an array to store the values of the Kth row of Pascal's Triangle

  • Use the formula C(n, k) = C(n-1, k-1) + C(n-1, k) to calculate the values

  • Return the array as the output

Add your answer
right arrow

Q12. Factorial Calculation Problem

Given an integer N, determine the factorial value of N. The factorial of a number N is the product of all positive integers from 1 to N.

Input:

First line of input: An integer 'T',...read more
Ans.

Calculate factorial of a given number N.

  • Iterate from 1 to N and multiply each number to get the factorial value.

  • Handle edge cases like N=0 or N=1 separately.

  • Use recursion or iteration to calculate factorial efficiently.

Add your answer
right arrow

Q13. Find the Second Largest Element

Given an array or list of integers 'ARR', identify the second largest element in 'ARR'.

If a second largest element does not exist, return -1.

Example:

Input:
ARR = [2, 4, 5, 6, ...read more
Ans.

Find the second largest element in an array of integers.

  • Iterate through the array to find the largest and second largest elements.

  • Handle cases where all elements are identical.

  • Return -1 if a second largest element does not exist.

Add your answer
right arrow

Q14. Find the third largest element from array, give the optimized approach using just half traversal of array.

Ans.

Optimized approach to find third largest element from array using half traversal.

  • Sort the array in descending order and return the element at index 2.

  • Use a max heap to keep track of the top 3 elements while traversing the array.

  • Use two variables to keep track of the second and third largest elements while traversing the array.

  • Divide the array into two halves and find the maximum and second maximum in each half, then compare them to find the third largest element.

Add your answer
right arrow

Q15. What are indexes , example, Is it possible to have more than one clustered index and more than one non clustered index ?

Ans.

Indexes are used to improve query performance. Multiple clustered and non-clustered indexes can be created on a table.

  • Indexes are used to quickly locate data without scanning the entire table.

  • Clustered index determines the physical order of data in a table.

  • Non-clustered index is a separate structure that contains a copy of the indexed columns and a pointer to the actual data.

  • A table can have only one clustered index, but multiple non-clustered indexes.

  • Indexes should be create...read more

Add your answer
right arrow

Q16. What are acid properties , how two transactions occur simultaneously while maintaining Acid properties

Ans.

ACID properties ensure database transactions are reliable. Two transactions can occur simultaneously using locking and isolation.

  • ACID stands for Atomicity, Consistency, Isolation, and Durability.

  • Atomicity ensures that a transaction is treated as a single unit of work, either all or none of it is executed.

  • Consistency ensures that a transaction brings the database from one valid state to another.

  • Isolation ensures that concurrent transactions do not interfere with each other.

  • Dur...read more

Add your answer
right arrow

Q17. Print first character of words in a string 1) using one stack and 2)using an array.

Ans.

Answering how to print first character of words in a string using one stack and an array.

  • For using one stack, push each character onto the stack and pop when a space is encountered. Print the popped character.

  • For using an array, split the string into words and print the first character of each word.

  • In both cases, handle edge cases like empty string and string with only one word.

View 1 answer
right arrow

Q18. Given a array and a number , find whether number can be generated using sum of array members if yes output those numbers

Ans.

Given an array and a number, find if the number can be generated using sum of array members and output those numbers.

  • Iterate through the array and check if the number can be generated using the sum of array members

  • Use a hash table to store the difference between the number and each array element

  • If the difference is found in the hash table, output the corresponding array elements

  • If no such combination is found, output 'Not possible'

Add your answer
right arrow
Q19. Write a query to find the Nth highest salary along with the employee name.
Ans.

Query to find the Nth highest salary with employee name

  • Use a subquery to rank the salaries in descending order

  • Select the distinct salary from the subquery with LIMIT N-1, 1 to get the Nth highest salary

  • Join the main table with the subquery on the salary column to get the employee name

Add your answer
right arrow

Q20. Nth Element Of Modified Fibonacci Series

Given two integers X and Y as the first two numbers of a series, and an integer N, determine the Nth element of the series following the Fibonacci rule: f(x) = f(x - 1) ...read more

Ans.

Calculate the Nth element of a modified Fibonacci series given the first two numbers and N, with the result modulo 10^9 + 7.

  • Implement a function to calculate the Nth element of the series using the Fibonacci rule f(x) = f(x - 1) + f(x - 2)

  • Return the answer modulo 10^9 + 7 due to the possibility of a very large result

  • The series is 1-based indexed, so the first two numbers are at positions 1 and 2 respectively

Add your answer
right arrow

Q21. Time complexity of various data structure operations

Ans.

Time complexity of data structure operations

  • Arrays: O(1) for access, O(n) for search/insert/delete

  • Linked Lists: O(n) for access/search, O(1) for insert/delete

  • Stacks/Queues: O(1) for access/insert/delete

  • Hash Tables: O(1) for access/insert/delete (average case)

  • Trees: O(log n) for access/search/insert/delete (balanced)

  • Heaps: O(log n) for access/insert/delete

  • Graphs: Varies depending on algorithm used

Add your answer
right arrow

Q22. Find the Duplicate Number Problem Statement

Given an integer array 'ARR' of size 'N' containing numbers from 0 to (N - 2). Each number appears at least once, and there is one number that appears twice. Your tas...read more

Ans.

Find the duplicate number in an array of integers from 0 to N-2.

  • Iterate through the array and keep track of the frequency of each number using a hashmap.

  • Return the number with a frequency greater than 1 as the duplicate number.

Add your answer
right arrow

Q23. Character Frequency Problem Statement

You are given a string 'S' of length 'N'. Your task is to find the frequency of each character from 'a' to 'z' in the string.

Example:

Input:
S : abcdg
Output:
1 1 1 1 0 0 ...read more
Ans.

The task is to find the frequency of each character from 'a' to 'z' in a given string.

  • Create an array of size 26 to store the frequency of each character from 'a' to 'z'.

  • Iterate through the string and increment the count of the corresponding character in the array.

  • Print the array of frequencies as the output for each test case.

Add your answer
right arrow

Q24. Reverse Array Elements

Given an array containing 'N' elements, the task is to reverse the order of all array elements and display the reversed array.

Explanation:

The elements of the given array need to be rear...read more

Ans.

Reverse the order of elements in an array and display the reversed array.

  • Iterate through the array from both ends and swap the elements until the middle is reached.

  • Use a temporary variable to store the element being swapped.

  • Print the reversed array after all elements have been swapped.

Add your answer
right arrow

Q25. Difference between span and div tag

Ans.

Span is an inline element used for styling small portions of text, while div is a block-level element used for grouping and styling larger sections of content.

  • Span is an inline element, div is a block-level element

  • Span is used for styling small portions of text, div is used for grouping larger sections of content

  • Span does not create a new line, div creates a new block-level element

View 1 answer
right arrow

Q26. Buy and Sell Stock Problem Statement

Imagine you are Harshad Mehta's friend, and you have been given the stock prices of a particular company for the next 'N' days. You can perform up to two buy-and-sell transa...read more

Ans.

The task is to determine the maximum profit that can be achieved by performing up to two buy-and-sell transactions on a given set of stock prices.

  • Iterate through the array of stock prices and calculate the maximum profit that can be achieved by buying and selling at different points.

  • Keep track of the maximum profit after the first transaction and the maximum profit overall by considering different combinations of buy and sell points.

  • Return the maximum profit obtained after co...read more

Add your answer
right arrow

Q27. Sum of Digits Problem Statement

Given an integer 'N', continue summing its digits until the result is a single-digit number. Your task is to determine the final value of 'N' after applying this operation iterat...read more

Ans.

Given an integer, find the final single-digit value after summing its digits iteratively.

  • Iteratively sum the digits of the given integer until the result is a single-digit number

  • Output the final single-digit integer for each test case

  • Handle multiple test cases efficiently

Add your answer
right arrow

Q28. Pancake Sorting Problem Statement

You are given an array of integers 'ARR'. Sort this array using a series of pancake flips. In each pancake flip, you need to:

Choose an integer 'K' where 1 <= 'K' <= ARR.LENGTH...read more
Ans.

Sort an array using pancake flips and return the sequence of flips made.

  • Iterate through the array and find the position of the maximum element in each iteration.

  • Perform pancake flips to move the maximum element to the correct position.

  • Continue this process until the array is sorted.

  • Return the sequence of positions from where flips were made.

Add your answer
right arrow

Q29. Fibonacci Number Verification

Identify if the provided integer 'N' is a Fibonacci number.

A number is termed as a Fibonacci number if it appears in the Fibonacci sequence, where each number is the sum of the tw...read more

Ans.

Check if a given number is a Fibonacci number or not.

  • Iterate through the Fibonacci sequence until you find a number greater than or equal to the given number.

  • Check if the given number matches the Fibonacci number found in the sequence.

  • If the number matches, output 'YES'; otherwise, output 'NO'.

Add your answer
right arrow

Q30. Reverse Only Letters Problem Statement

You are given a string S. The task is to reverse the letters of the string while keeping non-alphabet characters in their original position.

Example:

Input:
S = "a-bcd"
Ou...read more
Ans.

Reverse the letters of a string while keeping non-alphabet characters in their original position.

  • Iterate through the string and store the non-alphabet characters in their original positions

  • Reverse the letters using two pointers technique

  • Combine the reversed letters with the non-alphabet characters to get the final reversed string

Add your answer
right arrow

Q31. Find Duplicates in an Array

Given an array ARR of size 'N', where each integer is in the range from 0 to N - 1, identify all elements that appear more than once.

Return the duplicate elements in any order. If n...read more

Ans.

Find duplicates in an array of integers within a specified range.

  • Iterate through the array and keep track of the count of each element using a hashmap.

  • Return elements with count greater than 1 as duplicates.

  • Time complexity can be optimized to O(N) using a set to store duplicates.

  • Example: For input [0, 3, 1, 2, 3], output should be [3].

Add your answer
right arrow

Q32. Sort 0 1 2 Problem Statement

Given an integer array arr of size 'N' containing only 0s, 1s, and 2s, write an algorithm to sort the array.

Input:

The first line contains an integer 'T' representing the number of...read more
Ans.

Sort an array of 0s, 1s, and 2s in linear time complexity.

  • Use three pointers to keep track of 0s, 1s, and 2s while traversing the array.

  • Swap elements based on the values encountered to sort the array in-place.

  • Time complexity of the algorithm should be O(N) where N is the size of the array.

Add your answer
right arrow

Q33. Pair Sum Problem Statement

You are provided with an array ARR consisting of N distinct integers in ascending order and an integer TARGET. Your objective is to count all the distinct pairs in ARR whose sum equal...read more

Ans.

Count distinct pairs in an array whose sum equals a given target.

  • Use two pointers approach to iterate through the array and find pairs with sum equal to target.

  • Keep track of visited pairs to avoid counting duplicates.

  • Return -1 if no such pair exists with the given target.

Add your answer
right arrow

Q34. Move Zeros to Left Problem Statement

Your task is to rearrange a given array ARR such that all zero elements appear at the beginning, followed by non-zero elements, while maintaining the relative order of non-z...read more

Ans.

Rearrange array to move zeros to the left while maintaining relative order of non-zero elements.

  • Iterate through the array and maintain two pointers, one for zero elements and one for non-zero elements.

  • Swap elements at the two pointers until all zeros are moved to the left.

  • Ensure to maintain the relative order of non-zero elements while rearranging the array.

Add your answer
right arrow

Q35. Maximum Subarray Sum Problem Statement

Given an array arr of length N consisting of integers, find the sum of the subarray (including empty subarray) with the maximum sum among all subarrays.

Explanation:

A sub...read more

Ans.

Find the sum of the subarray with the maximum sum among all subarrays in an array of integers.

  • Iterate through the array and keep track of the current sum and maximum sum.

  • Update the maximum sum whenever a new maximum subarray sum is found.

  • Handle cases where all elements are negative or the array is empty.

  • Example: For input arr = [-2, 1, -3, 4, -1], the maximum subarray sum is 4.

Add your answer
right arrow

Q36. Detect and Remove Loop in Linked List

For a given singly linked list, identify if a loop exists and remove it, adjusting the linked list in place. Return the modified linked list.

Expected Complexity:

Aim for a...read more

Ans.

Detect and remove loop in a singly linked list in place with O(n) time complexity and O(1) space complexity.

  • Use Floyd's Cycle Detection Algorithm to identify the loop in the linked list.

  • Once the loop is detected, use two pointers to find the start of the loop.

  • Adjust the pointers to remove the loop and return the modified linked list.

Add your answer
right arrow

Q37. Count Distinct Substrings

You are provided with a string S. Your task is to determine and return the number of distinct substrings, including the empty substring, of this given string. Implement the solution us...read more

Ans.

Count distinct substrings of a given string using trie data structure.

  • Implement a trie data structure to store all substrings of the given string.

  • Count the number of nodes in the trie to get the distinct substrings count.

  • Handle empty string case separately.

  • Example: For 'ab', distinct substrings are: '', 'a', 'b', 'ab'.

Add your answer
right arrow

Q38. Equilibrium Index Problem Statement

Given an array Arr consisting of N integers, your task is to find the equilibrium index of the array.

An index is considered as an equilibrium index if the sum of elements of...read more

Ans.

Find the equilibrium index of an array where sum of elements on left equals sum on right.

  • Iterate through array to calculate prefix and suffix sums

  • Compare prefix and suffix sums to find equilibrium index

  • Return -1 if no equilibrium index is found

Add your answer
right arrow

Q39. Spiral Matrix Problem Statement

You are given a N x M matrix of integers. Your task is to return the spiral path of the matrix elements.

Input

The first line contains an integer 'T' which denotes the number of ...read more
Ans.

The task is to return the spiral path of elements in a given matrix.

  • Iterate through the matrix in a spiral path by adjusting the boundaries of rows and columns.

  • Keep track of the direction of traversal (right, down, left, up) to form the spiral path.

  • Handle edge cases like when the matrix is a single row or column.

  • Implement a function that takes the matrix dimensions and elements as input and returns the spiral path.

Add your answer
right arrow
Q40. What is normalization and can you explain the concept of Third Normal Form (3NF)?
Ans.

Normalization is the process of organizing data in a database to reduce redundancy and improve data integrity.

  • Normalization is a technique used to organize data in a database efficiently.

  • Third Normal Form (3NF) is a level of normalization that ensures that data is stored in a way that prevents certain types of data anomalies.

  • In 3NF, every non-prime attribute is fully functionally dependent on the primary key.

  • For example, if we have a table 'Employees' with columns 'EmployeeID...read more

Add your answer
right arrow

Q41. Minimum Travel Time Problem Statement

Mr. X plans to explore Ninja Land, which consists of N cities numbered from 1 to N and M bidirectional roads connecting these cities. Mr. X needs to select a city as the st...read more

Ans.

The task is to determine the minimum time required to visit all cities and roads in Ninja Land.

  • Create a graph representation of the cities and roads.

  • Use a traversal algorithm to find the minimum time to visit all cities and roads.

  • Return -1 if it is impossible to visit all roads.

  • Consider the constraints provided in the problem statement.

  • Implement the function to calculate the minimum travel time.

Add your answer
right arrow
Q42. Write an SQL query to find the second highest salary from a table.
Ans.

SQL query to find the second highest salary from a table

  • Use the MAX() function to find the highest salary

  • Use the NOT IN operator to exclude the highest salary from the results

  • Order the results in descending order and limit the query to return only the second row

Add your answer
right arrow

Q43. 2nd TR:- 1. How can we reduce page loading time in a website.

Ans.

Reducing page loading time can be achieved through various techniques.

  • Optimizing images and videos

  • Minimizing HTTP requests

  • Using a content delivery network (CDN)

  • Enabling browser caching

  • Minimizing JavaScript and CSS files

  • Using lazy loading for images and videos

  • Reducing server response time

  • Using gzip compression

  • Minimizing redirects

  • Using a faster web hosting service

Add your answer
right arrow

Q44. What are cubes. How are they different from Databases

Ans.

Cubes are multidimensional data structures used for analysis and reporting. They differ from databases in their structure and purpose.

  • Cubes store data in a multidimensional format, allowing for efficient analysis and reporting.

  • They are designed to handle large volumes of data and provide fast query performance.

  • Cubes use dimensions, measures, and hierarchies to organize and analyze data.

  • Unlike databases, cubes are optimized for analytical processing rather than transactional p...read more

Add your answer
right arrow

Q45. Write a SQL query to move table from one Schema to other

Ans.

A SQL query to move a table from one schema to another.

  • Use the ALTER TABLE statement to rename the table and move it to the new schema.

  • Specify the new schema name in the ALTER TABLE statement.

  • Ensure that the user executing the query has the necessary privileges to perform the operation.

Add your answer
right arrow

Q46. Current Windows and Android OS info with their differences from the past versions.

Ans.

Windows and Android OS have evolved with new features and improvements compared to past versions.

  • Windows 10 introduced a new Start menu and Cortana virtual assistant.

  • Android 11 focused on improved privacy controls and messaging features.

  • Both OS have enhanced security measures compared to their past versions.

Add your answer
right arrow

Q47. What does a Stored Procedure do

Ans.

A stored procedure is a precompiled set of SQL statements that can be executed on a database server.

  • Stored procedures are used to encapsulate and execute complex database operations.

  • They can be used to improve performance by reducing network traffic.

  • Stored procedures can be parameterized and reused across multiple applications.

  • They provide a level of security by allowing access to the database only through the procedure.

  • Examples: Creating a stored procedure to insert data int...read more

Add your answer
right arrow

Q48. Write code for Level Order Traversal for Binary Tree

Ans.

Level Order Traversal for Binary Tree is a method to visit all nodes level by level starting from the root.

  • Use a queue data structure to keep track of nodes at each level

  • Start by pushing the root node into the queue

  • While the queue is not empty, dequeue a node, visit it, and enqueue its children

Add your answer
right arrow

Q49. Alternative character replacement in a string

Ans.

Replace alternative characters in a string with a specified character

  • Iterate through the string and replace characters at odd indices with the specified character

  • Use a loop to go through each character and check if its index is odd or even before replacing

  • Example: Input string 'hello' and replacement character '*', output 'h*l*'

Add your answer
right arrow

Q50. Difference between left join and right join

Ans.

Left join includes all records from the left table and matching records from the right table, while right join includes all records from the right table and matching records from the left table.

  • Left join keeps all records from the left table, even if there are no matches in the right table.

  • Right join keeps all records from the right table, even if there are no matches in the left table.

  • Example: If we have a table of employees and a table of departments, a left join will inclu...read more

Add your answer
right arrow

Q51. Difference between SSMS, SSIS and SSAS

Ans.

SSMS is a management tool for SQL Server, SSIS is an ETL tool, and SSAS is a BI tool for analyzing data.

  • SSMS (SQL Server Management Studio) is a graphical management tool for SQL Server.

  • SSIS (SQL Server Integration Services) is an ETL (Extract, Transform, Load) tool used for data integration and workflow applications.

  • SSAS (SQL Server Analysis Services) is a BI (Business Intelligence) tool used for analyzing and reporting data.

  • SSMS is used for managing databases, creating and ...read more

Add your answer
right arrow

Q52. 2. ATM Working Principles.

Ans.

ATM (Automated Teller Machine) is an electronic banking outlet that allows customers to complete basic transactions without the aid of a branch representative.

  • ATMs allow customers to withdraw cash, deposit checks, transfer money between accounts, and check account balances.

  • ATMs communicate with the bank's computer system to verify account information and process transactions.

  • ATMs use a magnetic stripe or chip on the customer's debit or credit card to identify the account and ...read more

Add your answer
right arrow

Q53. Normalisation and keys from dbms

Ans.

Normalization is the process of organizing data in a database to reduce redundancy and improve data integrity. Keys are used to uniquely identify records in a table.

  • Normalization involves breaking down data into smaller, more manageable parts to reduce redundancy.

  • Keys are used to uniquely identify records in a table. Examples include primary keys, foreign keys, and candidate keys.

  • Normalization helps in maintaining data integrity and reducing anomalies such as insertion, updat...read more

Add your answer
right arrow

Q54. Two Sum Of leetcode

Ans.

Given an array of integers, return indices of the two numbers such that they add up to a specific target.

  • Use a hashmap to store the difference between the target and current element

  • Iterate through the array and check if the current element's complement exists in the hashmap

  • Return the indices of the two numbers if found

Add your answer
right arrow
Contribute & help others!
Write a review
Write a review
Share interview
Share interview
Contribute salary
Contribute salary
Add office photos
Add office photos

Interview Process at MAQ Software for Freshers

based on 12 interviews
Interview experience
4.5
Good
View more
interview tips and stories logo
Interview Tips & Stories
Ace your next interview with expert advice and inspiring stories

Top Interview Questions from Similar Companies

HCLTech Logo
3.5
 • 2.1k Interview Questions
NTT Data Logo
3.9
 • 348 Interview Questions
ITC Logo
3.9
 • 212 Interview Questions
Zensar Technologies Logo
3.7
 • 180 Interview Questions
Xyz Company Logo
3.8
 • 137 Interview Questions
View all
Recently Viewed
DESIGNATION
COMPANY BENEFITS
Ernst & Young
No Benefits
DESIGNATION
DESIGNATION
SALARIES
Ernst & Young
INTERVIEWS
Walmart
Fresher
30 top interview questions
INTERVIEWS
DE Shaw
Fresher
60 top interview questions
INTERVIEWS
Accenture
No Interviews
DESIGNATION
DESIGNATION
Top MAQ Software Interview Questions And Answers
Share an Interview
Stay ahead in your career. Get AmbitionBox app
play-icon
play-icon
qr-code
Helping over 1 Crore job seekers every month in choosing their right fit company
75 Lakh+

Reviews

5 Lakh+

Interviews

4 Crore+

Salaries

1 Cr+

Users/Month

Contribute to help millions

Made with ❤️ in India. Trademarks belong to their respective owners. All rights reserved © 2024 Info Edge (India) Ltd.

Follow us
  • Youtube
  • Instagram
  • LinkedIn
  • Facebook
  • Twitter