Add office photos
Engaged Employer

Meesho

3.7
based on 1.6k Reviews
Filter interviews by

100+ Symatic Engineering Interview Questions and Answers

Updated 12 Dec 2024
Popular Designations
Q1. Array Intersection

You have been given two integer arrays/list(ARR1 and ARR2) of size N and M, respectively. You need to print their intersection; An intersection for this problem can be defined when both the ar...read more

Ans.

The task is to find the intersection of two integer arrays/lists.

  • Read the number of test cases

  • For each test case, read the size and elements of the first array/list

  • Read the size and elements of the second array/list

  • Find the intersection of the two arrays/lists

  • Print the intersection elements in the order they appear in the first array/list

View 3 more answers

Q2. Understand the reselling market in India and other social commerce trends through primary and secondary research. Based on your understanding of the customers and market landscape, create a plan on how Meesho c...

read more
Ans.

Plan to improve Meesho's 'Orders per Reseller per month' metric through research and customer understanding.

  • Conduct primary and secondary research to understand the reselling market in India and social commerce trends

  • Analyze customer behavior and preferences to identify areas of improvement

  • Provide training and support to resellers to improve their sales skills

  • Offer incentives and rewards to resellers who meet or exceed monthly order targets

  • Improve the user experience of the M...read more

View 5 more answers

Q3. Describe different types of joins

Ans.

Different types of joins are used in database queries to combine data from multiple tables.

  • Inner join: Returns only the matching records from both tables.

  • Left join: Returns all records from the left table and the matching records from the right table.

  • Right join: Returns all records from the right table and the matching records from the left table.

  • Full outer join: Returns all records when there is a match in either the left or right table.

  • Cross join: Returns the Cartesian prod...read more

View 3 more answers
Q4. Puzzle

On an Island, there is an airport that has an unlimited number of identical air-planes. Each air-plane has a fuel capacity to allow it to fly exactly 1/2 way around the world, along a great circle. The pl...read more

Ans.

Minimum number of airplanes required to get one airplane all the way around the world and return safely to the airport.

  • Each airplane can fly exactly 1/2 way around the world.

  • The airplanes can refuel in flight without any loss of speed or fuel spillage.

  • The island is the only source of fuel.

  • All airplanes must return safely to the airport.

Add your answer
Discover Symatic Engineering interview dos and don'ts from real experiences

Q5. Sell me the mobile phone or A pen in which I'm not interested.how you will convence me to buy your product

Ans.

I would highlight the unique features and benefits of the mobile phone or pen to create interest and convince the interviewer to consider buying the product.

  • Focus on the product's standout features

  • Highlight the benefits and advantages of using the product

  • Address any concerns or objections the interviewer may have

  • Create a sense of urgency or exclusivity

  • Offer a special promotion or discount

View 16 more answers
Q6. Remove Consecutive Duplicates From String

You are given a string 'STR' consisting of lower and upper case characters. You need to remove the consecutive duplicates characters, and return the new string.

Exampl...read more
Ans.

The task is to remove consecutive duplicate characters from a given string and return the new string.

  • Iterate through the characters of the string

  • Compare each character with the next character

  • If they are the same, skip the next character

  • If they are different, append the current character to the new string

View 4 more answers
Are these interview questions helpful?
Q7. Maximum sum of two non-overlapping subarrays of a given size

You are given an array/list ARR of integers and a positive integer ‘K’. Your task is to find two non-overlapping subarrays (contiguous) each of length...read more

Ans.

The task is to find two non-overlapping subarrays of length K in an array, such that their sum is maximum.

  • Iterate through the array and calculate the sum of each subarray of length K

  • Store the maximum sum obtained from the first subarray

  • Iterate again and calculate the sum of each subarray of length K, excluding the previous subarray

  • Store the maximum sum obtained from the second subarray

  • Return the sum of the two maximum sums

View 2 more answers
Q8. Distinct Subsequences

You have been given string 'S' of length 'N' that may contain duplicate alphabets. Your task is to return the count of distinct subsequences of it.

For example:

For the given string “deed” ...read more
Ans.

The task is to find the count of distinct subsequences in a given string.

  • Use dynamic programming to solve the problem.

  • Create a 2D array to store the count of distinct subsequences for each prefix of the string.

  • Initialize the first row of the array with 1, as there is only one subsequence of an empty string.

  • For each character in the string, calculate the count of distinct subsequences by considering two cases: including the current character and excluding the current character...read more

View 3 more answers
Share interview questions and help millions of jobseekers 🌟
Q9. Number of Islands

You have been given a non-empty grid consisting of only 0s and 1s. You have to find the number of islands in the given grid.

An island is a group of 1s (representing land) connected horizontall...read more

Ans.

The task is to find the number of islands in a grid consisting of 0s and 1s.

  • An island is a group of 1s connected horizontally, vertically, or diagonally

  • The grid is surrounded by 0s on all four edges

  • Use a depth-first search (DFS) or breadth-first search (BFS) algorithm to traverse the grid and count the number of islands

  • Initialize a visited array to keep track of visited cells

  • For each unvisited cell with a value of 1, perform a DFS or BFS to explore the connected land cells an...read more

View 2 more answers

Q10. Number of returns have increased, find possible reasons for it.

Ans.

Possible reasons for increased returns need to be analyzed.

  • Changes in customer preferences or expectations

  • Quality issues with products or services

  • Inadequate customer support or communication

  • Competitor actions affecting customer loyalty

  • Economic factors impacting purchasing decisions

Add your answer
Q11. Arrangement

You are given a number 'N'. Your goal is to find the number of permutations of the list 'A' = [1, 2, ......, N], satisfying either of the following conditions:

A[i] is divisible by i or i is divisibl...read more

Ans.

The goal is to find the number of permutations of a list satisfying certain conditions.

  • Iterate through all permutations of the list

  • Check if each permutation satisfies the given conditions

  • Count the number of permutations that satisfy the conditions

  • Return the count for each test case

View 2 more answers

Q12. what is the Output in rows if two tables joined using various joins

Ans.

The output in rows when two tables are joined using various joins depends on the type of join used and the data in the tables.

  • Inner join - only rows with matching values in both tables are included in the output

  • Left join - all rows from the left table are included, with matching rows from the right table

  • Right join - all rows from the right table are included, with matching rows from the left table

  • Full outer join - all rows from both tables are included, with NULL values for n...read more

Add your answer
Q13. Find Number Of Islands

You are given a 2-dimensional array/list having N rows and M columns, which is filled with ones(1) and zeroes(0). 1 signifies land, and 0 signifies water.

A cell is said to be connected to...read more

Ans.

The task is to find the number of islands present in a 2-dimensional array filled with ones and zeroes.

  • Iterate through each cell in the array

  • If the cell is land (1) and not visited, perform a depth-first search to find all connected land cells

  • Increment the count of islands for each connected component found

View 2 more answers

Q14. What do you know about the E-commerce industry?

Ans.

The E-commerce industry refers to the buying and selling of goods and services online.

  • E-commerce has revolutionized the way people shop and conduct business.

  • It involves online marketplaces, online retailers, and online payment systems.

  • E-commerce platforms enable businesses to reach a global customer base.

  • Popular examples include Amazon, eBay, Alibaba, and Shopify.

  • E-commerce offers convenience, competitive pricing, and a wide variety of products.

  • It has experienced significant ...read more

View 10 more answers
Q15. Idempotent Matrix

Given a N * N matrix and the task is to check matrix is idempotent matrix or not.

See the sample input.

Idempotent matrix M follows the following property :

M*M = M 
Input format :
Line 1 : Siz...read more
Ans.

An idempotent matrix is a square matrix that remains unchanged when multiplied by itself.

  • Check if the given matrix satisfies the property M*M = M

  • Iterate through each element of the matrix and perform the matrix multiplication

  • Compare the result with the original matrix

  • If they are equal, return true; otherwise, return false

View 1 answer

Q16. Identify what all you would do to grow Notion from X (currently) to 2X users.

Ans.

To grow Notion from X to 2X users, I would focus on improving user acquisition, retention, and engagement.

  • Develop and execute a comprehensive marketing strategy to attract new users

  • Improve the onboarding process to increase user retention

  • Enhance the product's features and functionality to increase user engagement

  • Leverage user feedback to continuously improve the product

  • Expand the product's reach through partnerships and integrations

  • Invest in customer support to ensure a posit...read more

View 2 more answers

Q17. what are the strength and weaknesses

Ans.

Strengths include analytical skills, problem-solving abilities, and communication skills. Weaknesses may include lack of technical expertise or industry knowledge.

  • Strengths: analytical skills, problem-solving abilities, communication skills

  • Weaknesses: lack of technical expertise, lack of industry knowledge

Add your answer

Q18. Measure amount of time spent by each employee inside the office

Ans.

Employee time tracking system can be used to measure time spent in the office.

  • Implement an employee time tracking system to record entry and exit times

  • Use access card swipes or biometric systems for accurate tracking

  • Generate reports to analyze time spent by each employee

  • Consider implementing software solutions like time tracking apps for remote employees

Add your answer

Q19. What is the output after joining two tables.

Ans.

The output after joining two tables is a single table containing columns from both tables based on a common key.

  • Joining two tables combines rows from both tables based on a common key

  • The output will have columns from both tables

  • Different types of joins like inner join, outer join, left join, right join can be used

Add your answer

Q20. Check Meesho's landing page and share the process of getting that page to production. Identify stakeholders etc.

Ans.

Process of getting Meesho's landing page to production and identifying stakeholders.

  • The landing page design is created by the design team.

  • The development team codes the landing page.

  • The product manager oversees the entire process and ensures the landing page meets business goals.

  • Stakeholders include the design team, development team, product manager, marketing team, and leadership team.

  • The landing page is tested and optimized for performance before being released to productio...read more

View 1 answer

Q21. What is the diff between union and union all

Ans.

UNION combines the results of two or more SELECT statements, while UNION ALL includes all rows, including duplicates.

  • UNION removes duplicate rows, while UNION ALL does not

  • UNION sorts the result set, while UNION ALL does not

  • UNION is slower than UNION ALL as it performs a sort operation

Add your answer
Q22. Snake and Ladder

I was asked to implement the functions for rolling the dice, climbed up and climbed down which was covering entirely the functionality of the snake ladder game
There was test cases for these prob...read more

View 2 more answers

Q23. Strategy for marketing for new product launch

Ans.

Utilize a mix of digital and traditional marketing strategies to create buzz and reach target audience effectively.

  • Conduct market research to understand target audience and competition

  • Develop a comprehensive marketing plan including online advertising, social media campaigns, PR efforts, and events

  • Utilize influencers and brand ambassadors to generate excitement and credibility

  • Offer exclusive promotions or discounts to early adopters

  • Track and analyze results to make adjustment...read more

Add your answer

Q24. There is a problem of duplicate listings on meesho where multiple sellers list the same item. This causes a problem as users' search results have the same item listed multiple times. How would you go about solv...

read more
Ans.

Implement a system to detect and merge duplicate listings on Meesho platform.

  • Utilize machine learning algorithms to identify similar listings based on product attributes and images.

  • Implement a manual review process to verify potential duplicates before merging them.

  • Provide incentives for sellers to report and merge duplicate listings.

  • Regularly monitor and update the system to adapt to new duplicate listing patterns.

  • Communicate with sellers to educate them on the importance of...read more

Add your answer
Q25. System Design Questions

Design Facebook API. (Question was vague)

Given a basic interface and the list of functionality that need to implement.
And basic test cases were there again the operations.

Ans.

Design Facebook API

  • Define the basic interface for the API

  • Implement functionality for user authentication and authorization

  • Create endpoints for posting, retrieving, and deleting posts

  • Include features for liking, commenting, and sharing posts

  • Implement a search functionality for users, posts, and hashtags

  • Design a notification system for user interactions

  • Consider scalability and performance optimizations

View 1 answer

Q26. SQL query to print gold members of zomato

Ans.

SQL query to print gold members of zomato

  • Use SELECT statement to retrieve data from the database

  • Filter the results using WHERE clause to only include gold members

  • Specify the table and column names where the membership status is stored

  • Example: SELECT * FROM zomato_members WHERE membership_type = 'gold'

Add your answer
Q27. DBMS Question

Implement typeahead search.

For example : if I write saree in search box system should give me top 5 results related to saree.
I gave the solution using Quad tree and Redis

Add your answer

Q28. how would you optimize the campaigns in terms of bids budgets

Ans.

Optimizing bids and budgets involves analyzing data, setting goals, and adjusting strategies accordingly.

  • Analyze campaign data to identify top-performing keywords and adjust bids accordingly

  • Set clear goals for each campaign and allocate budgets accordingly

  • Regularly monitor and adjust bids and budgets based on performance data

  • Consider using automated bidding strategies to save time and improve efficiency

  • Use A/B testing to compare different bidding strategies and optimize for b...read more

Add your answer

Q29. How many shops are available in your city?

Ans.

There are approximately 500 shops in the city.

  • The city has a diverse range of shops including grocery stores, clothing boutiques, electronics shops, and more.

  • The number of shops may vary depending on the size and population of the city.

  • Some popular shopping areas in the city include the downtown district, shopping malls, and local markets.

  • The city also has a number of specialty shops catering to specific interests such as bookstores, art galleries, and antique shops.

View 4 more answers

Q30. Find order of execution

Ans.

The order of execution refers to the sequence in which tasks or processes are carried out.

  • Identify the tasks or processes that need to be executed

  • Determine the dependencies between tasks

  • Execute tasks in the correct order based on dependencies

  • Ensure that tasks are completed before moving on to the next task

Add your answer

Q31. You are the PM at meta. How would you decrease the number of fraud posts?

Ans.

Implement stricter verification processes, utilize AI for detection, and increase penalties for fraudsters.

  • Implement stricter verification processes for account creation

  • Utilize AI algorithms to detect patterns of fraudulent behavior

  • Increase penalties for users found to be posting fraudulent content

Add your answer

Q32. Match-fixing of four teams

Ans.

Match-fixing involving four teams is a serious issue in sports that undermines the integrity of the game.

  • Match-fixing can involve players, coaches, referees, or even team officials conspiring to manipulate the outcome of a game for financial gain.

  • It can have severe consequences such as bans, fines, and tarnished reputations for those involved.

  • Examples of match-fixing scandals involving four teams include the Calciopoli scandal in Italian football and the Black Sox scandal in ...read more

Add your answer
Q33. System Design Question

Design attendance management system

Ans.

Design attendance management system

  • Create a database to store employee information

  • Implement a user interface for employees to mark their attendance

  • Develop a system to track and record attendance data

  • Generate reports and analytics based on attendance data

View 1 answer

Q34. Sell this pen..........

Ans.

This pen is a versatile tool that combines functionality, style, and convenience.

  • Highlight the pen's features such as its smooth writing experience and ergonomic design.

  • Emphasize the pen's durability and long-lasting ink.

  • Mention how the pen's sleek and professional appearance makes it suitable for any setting.

  • Provide examples of situations where the pen can be useful, such as taking notes in meetings or signing important documents.

  • Offer a competitive price or any special prom...read more

View 9 more answers

Q35. What is the key value proposition to onboard brands on the app, which differentiates it from other platforms?

Ans.

Our app offers a unique combination of personalized recommendations, exclusive deals, and interactive features to engage with brands.

  • Personalized recommendations based on user preferences and behavior

  • Exclusive deals and discounts for app users

  • Interactive features such as live chat with brand representatives or virtual try-on tools

  • Seamless integration with social media platforms for sharing and discovery

  • Analytics and insights for brands to track performance and optimize strate...read more

Add your answer

Q36. How you sell product

Ans.

We sell our products through various online marketplaces and our own e-commerce website.

  • We optimize our product listings with high-quality images and detailed descriptions.

  • We use social media platforms to promote our products and engage with our customers.

  • We offer competitive pricing and run promotions to attract new customers.

  • We provide excellent customer service to ensure customer satisfaction and repeat business.

  • We collect and analyze customer feedback to improve our produ...read more

View 2 more answers

Q37. What's business model and Sales Structure of Swiggy?

Ans.

Swiggy is an online food delivery platform that operates on an aggregator business model and follows a direct sales structure.

  • Swiggy operates on an aggregator business model, where it partners with restaurants and delivers food to customers.

  • The company earns revenue through commissions from restaurants and delivery charges from customers.

  • Swiggy follows a direct sales structure, where customers place orders directly through the Swiggy app or website.

  • The platform offers various...read more

Add your answer

Q38. How would you identify Why seller are dropping in listing process

Ans.

By conducting interviews with sellers, analyzing data on drop-off points in the listing process, and identifying common pain points.

  • Conduct interviews with sellers to understand their experiences and reasons for dropping in the listing process

  • Analyze data on drop-off points in the listing process to identify common trends or issues

  • Identify common pain points such as complicated listing procedures, technical glitches, or lack of seller support

  • Implement solutions based on findi...read more

Add your answer

Q39. output of joins

Ans.

Output of joins is a combination of data from two or more tables based on a common column.

  • Joins are used to combine rows from two or more tables based on a related column between them

  • Types of joins include inner join, outer join, left join, and right join

  • The output of a join will include columns from both tables, with rows that meet the join condition

Add your answer

Q40. How does campaigns play vital role in sales?

Ans.

Campaigns play a vital role in sales by creating awareness, generating leads, and driving conversions.

  • Campaigns help create brand awareness among target audience.

  • Campaigns generate leads by attracting potential customers.

  • Campaigns drive conversions by persuading leads to make a purchase.

  • Campaigns can also help in customer retention and loyalty.

  • Examples: Email marketing campaigns, social media advertising campaigns, promotional events.

Add your answer

Q41. Design facebook with functionalities like add post, delete post, follow user, unfollow user, retrieve posts etc.

Ans.

Designing a social media platform like Facebook with key functionalities.

  • Implement user authentication and authorization for secure access.

  • Create a database schema for users, posts, and relationships.

  • Develop features for adding, deleting, and retrieving posts.

  • Implement follow/unfollow functionality for users.

  • Design a news feed algorithm to display posts from followed users.

  • Include features for liking, commenting, and sharing posts.

Add your answer

Q42. How will you convince a large fashion retailer to offer its products on the Meesho Mall platform?

Ans.

I will highlight the benefits of reaching a new customer base, increasing brand visibility, and driving sales through Meesho Mall platform.

  • Emphasize the opportunity to reach a new customer base through Meesho Mall platform.

  • Highlight the increased brand visibility by being featured on a popular online marketplace.

  • Discuss the potential for driving sales and increasing revenue by tapping into Meesho Mall's user base.

  • Offer data or case studies showcasing successful partnerships w...read more

Add your answer

Q43. How will you grow user count of Amazon from x to 10x in 2 years?

Ans.

To grow user count of Amazon from x to 10x in 2 years, focus on customer acquisition, retention, and engagement strategies.

  • Implement targeted marketing campaigns to attract new users

  • Enhance user experience to increase retention rate

  • Leverage data analytics to understand user behavior and preferences

  • Expand product offerings to cater to a wider audience

  • Utilize social media and influencer partnerships for brand awareness

Add your answer

Q44. How fast you will work Much fast

Ans.

I am a highly efficient worker and can complete tasks quickly.

  • I have a track record of meeting tight deadlines and delivering projects ahead of schedule.

  • I am skilled at multitasking and prioritizing tasks to ensure efficient workflow.

  • I am familiar with various online selling platforms and can navigate them swiftly.

  • I am proactive in identifying and resolving any obstacles that may hinder productivity.

  • I am committed to providing prompt customer service and addressing inquiries ...read more

View 1 answer

Q45. Guesstimates on how many air planes fly in Bangalore airport in a day

Ans.

It is estimated that around 400-500 airplanes fly in and out of Bangalore airport daily.

  • Consider the number of flights scheduled for the day

  • Take into account the number of domestic and international flights

  • Factor in the average number of flights per hour

  • Look at the airport's capacity and traffic volume

Add your answer

Q46. RCA - Ads revenue declining for MEssho. Why?

Ans.

MEssho's ads revenue is declining due to increased competition, ad fatigue, or changes in user behavior.

  • Increased competition from other messaging apps offering better ad targeting options

  • Ad fatigue among users leading to lower engagement with ads

  • Changes in user behavior, such as a shift towards ad-blocking software or a preference for ad-free messaging platforms

Add your answer

Q47. How to use customer insights in your strategy any examples ?

Ans.

Customer insights are crucial for developing a successful strategy. They help in understanding customer needs, preferences, and behaviors.

  • Utilize customer feedback and surveys to gather insights on their preferences and pain points.

  • Analyze customer data such as purchase history, browsing behavior, and demographics to identify trends and patterns.

  • Use social media monitoring tools to track customer sentiment and feedback in real-time.

  • Create customer personas based on insights t...read more

Add your answer

Q48. Do you have laptop and wifi connection?

Ans.

Yes, I have a laptop and wifi connection.

  • I have a laptop with the latest software and hardware capabilities.

  • I have a reliable wifi connection at home and can also access wifi in public places.

  • I am proficient in using technology for work purposes, including video calls and online presentations.

Add your answer

Q49. What was job title for customer care executive

Ans.

The job title for customer care executive is Customer Service Executive.

  • The job involves handling customer queries and complaints.

  • The executive is responsible for providing solutions to customer problems.

  • They may also be required to upsell or cross-sell products and services.

  • The job requires excellent communication and problem-solving skills.

  • Examples of companies that hire customer service executives include Amazon, Apple, and Google.

Add your answer

Q50. How you build a category from zero to 1 and 1 to 100

Ans.

Building a category from zero to 1 involves creating awareness and establishing credibility, while growing from 1 to 100 requires scaling operations and expanding market reach.

  • Start by conducting market research to identify potential opportunities and target audience.

  • Develop a unique value proposition and branding strategy to differentiate the category from competitors.

  • Invest in marketing and advertising campaigns to create awareness and generate interest.

  • Build partnerships a...read more

Add your answer

Q51. How will you improve Swiggy's cart adandonment rate

Ans.

To improve Swiggy's cart abandonment rate, I would focus on enhancing user experience, offering personalized recommendations, implementing cart recovery strategies, and optimizing checkout process.

  • Enhance user experience by simplifying navigation and reducing loading times

  • Offer personalized recommendations based on user preferences and past orders

  • Implement cart recovery strategies such as sending reminder emails or notifications

  • Optimize checkout process by reducing steps and ...read more

Add your answer

Q52. How campaigns work in E-commerce?

Ans.

Campaigns in E-commerce involve targeted marketing strategies to promote products or services online.

  • Campaigns in E-commerce typically involve creating ads, promotions, and discounts to attract customers.

  • They can be run on various platforms such as social media, search engines, and email marketing.

  • Campaigns often include tracking and analyzing data to measure their effectiveness and make adjustments as needed.

  • Personalization and targeting specific customer segments are key co...read more

Add your answer

Q53. Slef introduction for 2mins

Ans.

I am an experienced Key Accounts Manager with a proven track record of driving revenue growth and building strong relationships with clients.

  • I have over 5 years of experience in key account management

  • I have consistently exceeded sales targets and increased revenue for my clients

  • I am skilled in building and maintaining strong relationships with clients

  • I have a deep understanding of the industry and market trends

  • I am a strategic thinker and problem solver

  • I am a team player and ...read more

View 2 more answers

Q54. How much you rate product

Ans.

I rate the product based on its quality, functionality, and value for money.

  • Consider the quality of the product, including its durability and performance.

  • Evaluate the functionality of the product and how well it meets the intended purpose.

  • Assess the value for money by comparing the price with the product's features and benefits.

  • Take into account customer reviews and feedback to gauge overall satisfaction.

Add your answer

Q55. Difference between vlookup in excel and some function in sql

Ans.

VLOOKUP in Excel is used to search for a value in a table and return a corresponding value, while SQL functions like JOIN and WHERE are used to retrieve data from multiple tables based on specified conditions.

  • VLOOKUP is specific to Excel and works on a single table, while SQL functions can work on multiple tables.

  • VLOOKUP requires the table to be sorted in ascending order, while SQL functions do not have this requirement.

  • VLOOKUP can only search for values in the leftmost colum...read more

Add your answer

Q56. Number of rows after applying certain join operations

Ans.

The number of rows after applying join operations depends on the type of join used and the data in the tables being joined.

  • Inner join retains only the rows that have matching values in both tables

  • Left join retains all rows from the left table and the matched rows from the right table

  • Right join retains all rows from the right table and the matched rows from the left table

  • Full outer join retains all rows when there is a match in either table

Add your answer

Q57. Does any empty seets for workers?

Ans.

Yes, we have a few empty seats for workers.

  • We currently have a few open positions for dress designers.

  • We are actively looking for skilled workers to join our team.

  • Interested candidates can apply through our website or email us their resume.

  • We offer a competitive salary and benefits package.

  • Our work environment is creative and collaborative.

Add your answer

Q58. Which end point security tool you are using?

Ans.

We are using Symantec Endpoint Protection for end point security.

  • Symantec Endpoint Protection is our primary end point security tool

  • It provides antivirus, firewall, intrusion prevention, and other security features

  • Regular updates and scans are performed to ensure system security

Add your answer

Q59. How would you increase AOV of zomato

Ans.

To increase AOV of Zomato, focus on upselling, cross-selling, loyalty programs, and personalized recommendations.

  • Implement upselling and cross-selling strategies to encourage customers to add more items to their orders.

  • Introduce loyalty programs such as discounts or rewards for repeat customers to incentivize higher spending.

  • Utilize data analytics to provide personalized recommendations based on customer preferences and past orders.

  • Offer bundle deals or combo meals to encoura...read more

Add your answer

Q60. how to implement Concurrency in it.

Ans.

Concurrency in software development allows multiple tasks to run simultaneously, improving performance and responsiveness.

  • Use multithreading to execute multiple tasks concurrently

  • Implement asynchronous programming to handle tasks that may take longer to complete

  • Use synchronization techniques like locks and semaphores to manage access to shared resources

  • Consider using thread pools to manage and reuse threads efficiently

Add your answer

Q61. How would you help to customers

Ans.

As a Sales Executive, I would help customers by understanding their needs, providing personalized solutions, and ensuring excellent customer service.

  • Listen actively to customers to understand their requirements

  • Offer tailored solutions that meet their specific needs

  • Provide detailed product information and demonstrations

  • Address any concerns or objections they may have

  • Ensure prompt and efficient follow-up to maintain customer satisfaction

  • Build long-term relationships by providin...read more

Add your answer

Q62. How can i take responsibility for custome?

Ans.

Taking responsibility for customer care involves proactive communication, problem-solving, and accountability.

  • Proactively communicate with customers to understand their needs and address any concerns

  • Take ownership of customer issues and follow through until resolution

  • Provide timely and accurate information to customers

  • Demonstrate empathy and understanding towards customers

  • Seek feedback from customers to continuously improve the customer care process

  • Take accountability for mis...read more

View 1 answer

Q63. How to represent meesho, front of customer.

Ans.

Meesho is represented as a reliable and customer-centric platform that offers high-quality products at affordable prices.

  • Emphasize on the quality of products offered by Meesho

  • Highlight the affordability of Meesho's products

  • Mention the customer-centric approach of Meesho

  • Provide excellent customer service

  • Offer easy returns and refunds

  • Showcase positive customer reviews and ratings

Add your answer

Q64. no of petrol pumps in city

Ans.

The number of petrol pumps in the city is not available.

  • I do not have access to the data on the number of petrol pumps in the city.

  • It would be best to consult the city's government or relevant authorities for this information.

  • Alternatively, one could conduct a survey or research to estimate the number of petrol pumps in the city.

Add your answer

Q65. How good for the excel/google sheets

Ans.

Excel and Google Sheets are both excellent tools for organizing and analyzing data.

  • Both Excel and Google Sheets offer a wide range of functions and formulas for data manipulation.

  • They allow for easy sorting, filtering, and formatting of data.

  • Excel and Google Sheets also have the ability to create charts and graphs to visualize data.

  • They are both user-friendly and widely used in various industries.

  • Google Sheets allows for easy collaboration and sharing of data with others.

  • Exce...read more

Add your answer

Q66. Revenue generation models and AOP Planning regime?

Ans.

Revenue generation models and AOP Planning regime

  • Revenue generation models refer to the strategies and methods used to generate income for a business or organization.

  • AOP (Annual Operating Plan) Planning regime is the process of setting goals, targets, and budgets for the upcoming year.

  • Revenue generation models and AOP Planning regime are closely related as the revenue models inform the planning process.

  • Examples of revenue generation models include subscription-based models, a...read more

Add your answer

Q67. 3) retail margines? 4) markup / markdown margine? 5) expectation about salary?

Add your answer

Q68. Is meesho products good quality?

Ans.

Meesho products are known for their good quality and customer satisfaction.

  • Meesho products are sourced from reliable suppliers to ensure quality.

  • Customers have reported positive feedback on the quality of Meesho products.

  • Meesho offers a wide range of products including clothing, accessories, and home decor items.

  • Meesho products are competitively priced without compromising on quality.

View 1 answer

Q69. Did you know difference between excel sheet and google sheet

Add your answer

Q70. Strategy Plan around User Acq. / Supplier Acq. ?

Ans.

The strategy plan around user acquisition and supplier acquisition involves identifying target audiences, developing marketing campaigns, and building partnerships.

  • Identify target audiences for user acquisition and supplier acquisition

  • Develop marketing campaigns to attract users and suppliers

  • Build partnerships with relevant organizations or businesses

  • Analyze data and metrics to measure the effectiveness of the strategy plan

  • Continuously optimize and refine the strategy plan ba...read more

Add your answer

Q71. Describe the process of designing a competency framework

Ans.

Designing a competency framework involves identifying key skills, behaviors, and knowledge required for success in a role.

  • Identify job roles and responsibilities

  • Conduct job analysis to identify required skills and knowledge

  • Develop a list of competencies and behavioral indicators

  • Validate the framework with stakeholders

  • Implement and communicate the framework to employees

  • Regularly review and update the framework

Add your answer

Q72. Main benefits of advertisement?

Ans.

Main benefits of advertisement include increased brand awareness, reaching target audience, driving sales, and building customer loyalty.

  • Increased brand awareness: Advertisement helps in making the brand more recognizable and familiar to consumers.

  • Reaching target audience: Advertisements can be targeted towards specific demographics or interests to reach the right customers.

  • Driving sales: Effective advertising campaigns can lead to an increase in sales and revenue for the com...read more

Add your answer

Q73. How to optimize CPC?

Ans.

Optimizing CPC involves refining keyword targeting, improving ad relevance, and enhancing landing page experience.

  • Refine keyword targeting to focus on high-converting keywords

  • Improve ad relevance by aligning ad copy with targeted keywords

  • Enhance landing page experience to increase conversion rates

View 1 answer

Q74. Sql query to find longest streak of orders by customer

Ans.

Use SQL query to find longest streak of orders by customer

  • Use window functions like ROW_NUMBER() to assign a sequential number to each order for each customer

  • Partition the data by customer and order the rows by order date

  • Calculate the difference between the sequential numbers to identify streaks of consecutive orders

  • Select the maximum streak length for each customer

Add your answer

Q75. How would you grow business

Ans.

I would grow business by identifying new opportunities, building strong relationships, and implementing strategic sales plans.

  • Identify new market segments to target

  • Build strong relationships with key clients

  • Implement strategic sales plans to increase revenue

  • Offer personalized solutions to meet client needs

  • Analyze market trends and adjust strategies accordingly

Add your answer

Q76. What are the kinds of MDM tools?

Ans.

Mobile Device Management (MDM) tools include cloud-based, on-premises, and hybrid solutions.

  • Cloud-based MDM tools: ManageEngine Mobile Device Manager Plus, VMware AirWatch

  • On-premises MDM tools: Microsoft Intune, IBM MaaS360

  • Hybrid MDM tools: Citrix XenMobile, MobileIron

Add your answer

Q77. how many brands are in connection

Ans.

There are currently X brands in connection.

  • The exact number of brands in connection may vary depending on the context.

  • It is important to clarify what is meant by 'in connection' - does it refer to partnerships, sponsorships, or something else?

  • Examples of brands that may be in connection include Nike, Coca-Cola, and Apple.

  • Without more information, it is difficult to provide a precise answer to this question.

Add your answer

Q78. What is CPC and CTR?

Ans.

CPC stands for Cost Per Click and CTR stands for Click Through Rate.

  • CPC is the amount an advertiser pays for each click on their ad.

  • CTR is the percentage of people who click on an ad after seeing it.

  • CPC and CTR are important metrics in online advertising campaigns.

  • For example, if an advertiser pays $1 for a click and their ad is clicked 100 times, the CPC would be $1 and the CTR would be the percentage of clicks out of the total impressions.

Add your answer

Q79. Automate an api and validate response status and objects

Ans.

Automate API testing by sending requests and validating response status and objects

  • Use a tool like Postman or RestAssured to automate API requests

  • Check the response status code to ensure it is as expected

  • Validate the response objects by comparing them with expected values

Add your answer

Q80. Rank , dense rank and row number differnece

Ans.

Rank, dense rank, and row number are different ways to assign a ranking to rows in a dataset.

  • Rank assigns unique ranks to rows, leaving gaps if there are ties.

  • Dense rank assigns unique ranks to rows without any gaps, even if there are ties.

  • Row number simply assigns a unique sequential number to each row in the dataset.

Add your answer

Q81. What is the profit meesho compny

Ans.

Meesho is a social commerce platform that helps small businesses and individuals sell products online.

  • Meesho connects suppliers with resellers, allowing resellers to earn a commission on sales.

  • The company generates revenue through commissions on sales made through the platform.

  • Meesho has received funding from investors like Facebook and SoftBank.

Add your answer

Q82. Design an Ordering system with multithreading

Ans.

An ordering system with multithreading for efficient processing

  • Use a queue data structure to store incoming orders

  • Create multiple threads to process orders concurrently

  • Implement synchronization mechanisms to prevent race conditions

  • Consider using a thread pool to manage threads

  • Use locks or semaphores to ensure thread safety

Add your answer

Q83. Difference between having and where

Ans.

The difference between having and where in SQL queries

  • HAVING is used with GROUP BY to filter grouped rows based on a specified condition

  • WHERE is used to filter rows before any grouping is done

  • HAVING is used with aggregate functions like SUM, COUNT, AVG, etc.

  • WHERE is used with individual columns for filtering

Add your answer

Q84. how would you reduce returns

Ans.

To reduce returns, focus on improving product quality, providing clear product information, and offering excellent customer service.

  • Improve product quality to reduce defects and issues

  • Provide clear and detailed product information to set accurate expectations for customers

  • Offer excellent customer service to address any issues or concerns promptly

  • Implement a hassle-free return process to make it easy for customers to return products

Add your answer

Q85. Increase revenue from Instagram reels

Ans.

To increase revenue from Instagram reels, I would focus on creating engaging content, collaborating with influencers, and utilizing paid advertising.

  • Create high-quality and engaging content that resonates with the target audience

  • Collaborate with influencers to reach a wider audience and increase brand visibility

  • Utilize paid advertising to promote reels to a larger audience and drive traffic to the website or product page

Add your answer

Q86. Mininum no of swap to make a string balanced

Ans.

Minimum number of swaps needed to make a string balanced by swapping adjacent characters

  • Iterate through the string and count the number of unbalanced pairs of brackets

  • Divide the count by 2 to get the minimum number of swaps needed

  • Example: For the string '(()))', there are 2 unbalanced pairs, so 1 swap is needed

Add your answer

Q87. minimum no of swaps to reach the end index

Ans.

Minimum number of swaps needed to reach the end index in an array

  • Use a greedy approach to swap elements in the array

  • Track the minimum number of swaps needed to reach the end index

  • Consider edge cases like when the end index is already reached

Add your answer

Q88. What are the strength

Ans.

My strengths as a Customer Care Executive include excellent communication skills, problem-solving abilities, and a strong customer service orientation.

  • Excellent communication skills: I am able to effectively communicate with customers, understand their needs, and provide appropriate solutions.

  • Problem-solving abilities: I am skilled at analyzing customer issues, identifying root causes, and finding creative solutions to resolve them.

  • Strong customer service orientation: I prior...read more

View 1 answer

Q89. Vision of building a charter from 0

Ans.

Building a charter from scratch requires a clear vision, strategy, and collaboration.

  • Define the purpose and goals of the charter

  • Identify the target audience and stakeholders

  • Develop a mission statement and core values

  • Establish policies and procedures

  • Collaborate with team members and stakeholders to ensure buy-in and alignment

  • Regularly review and update the charter to ensure relevance and effectiveness

Add your answer

Q90. design a cab booking system using oops

Ans.

A cab booking system designed using OOP principles

  • Create classes for Cab, Customer, Driver, and Booking

  • Use inheritance and polymorphism to handle different types of cabs and bookings

  • Implement methods for booking a cab, assigning a driver, and calculating fare

  • Use encapsulation to protect data and ensure data integrity

Add your answer

Q91. Quality and maintenance in operation

Ans.

Quality and maintenance are crucial for smooth operation. A proactive approach is necessary to ensure optimal performance.

  • Implement a quality management system to ensure consistent quality

  • Regular maintenance checks and repairs to prevent breakdowns

  • Train staff on proper maintenance procedures

  • Use data analysis to identify areas for improvement

  • Invest in new technology to improve efficiency and reduce maintenance needs

View 2 more answers

Q92. How to apply Current supply

Ans.

Current supply can be applied by analyzing demand trends, optimizing inventory levels, and establishing strong supplier relationships.

  • Analyze demand trends to forecast future needs

  • Optimize inventory levels to prevent stockouts or overstocking

  • Establish strong supplier relationships to ensure timely and reliable supply

  • Utilize technology such as inventory management software for efficient tracking

Add your answer

Q93. Design a whatsapp like service

Ans.

A messaging service with features like text, voice, video calls, group chats, and file sharing.

  • Create a user-friendly interface for messaging and calling

  • Implement end-to-end encryption for secure communication

  • Allow users to create and join groups for group chats

  • Enable file sharing for documents, images, and videos

  • Provide options for voice and video calls with good quality

  • Develop a notification system for new messages and calls

Add your answer

Q94. Lld of cab booking system

Ans.

The Low Level Design (LLD) of a cab booking system involves detailing the system architecture and components at a lower level of abstraction.

  • Identify the main components of the system such as user interface, booking engine, payment gateway, and driver allocation algorithm.

  • Define the interactions between these components and how data flows between them.

  • Specify the data structures and algorithms used for efficient booking and tracking of cabs.

  • Consider scalability, fault toleran...read more

Add your answer

Q95. What is encapsulation in OOP?

Ans.

Encapsulation is the concept of bundling data and methods together within a class, hiding internal details from the outside world.

  • Encapsulation helps in achieving data abstraction and data hiding.

  • It allows for better control over the access to the internal state of an object.

  • By encapsulating data, we can protect it from being modified by external code.

  • Encapsulation promotes code reusability and maintainability.

  • Example: A class with private variables and public methods to acce...read more

Add your answer

Q96. How was support for people?

Ans.

The support for people was excellent.

  • The customer care team provided prompt and efficient assistance to customers.

  • They were knowledgeable and able to address customer queries and concerns effectively.

  • The team showed empathy and patience while dealing with customers.

  • They went above and beyond to ensure customer satisfaction.

  • Examples: Resolving technical issues, providing product recommendations, handling complaints professionally.

Add your answer

Q97. Practical use of left join

Ans.

A left join is used to combine data from two tables based on a common column, including all records from the left table.

  • Left join returns all rows from the left table and the matching rows from the right table.

  • It is useful when you want to retrieve all records from the left table, even if there are no matches in the right table.

  • The result of a left join will have NULL values in the columns from the right table where there is no match.

  • Example: SELECT * FROM customers LEFT JOIN...read more

Add your answer

Q98. Business Expansion roadmap?

Ans.

A business expansion roadmap involves identifying opportunities, setting goals, creating a plan, and executing it.

  • Identify potential markets and opportunities for growth

  • Set specific and measurable goals for expansion

  • Create a detailed plan outlining strategies and tactics

  • Allocate resources and establish timelines

  • Execute the plan and monitor progress

  • Adjust the plan as needed based on results and feedback

  • Examples: opening new locations, launching new products or services, expand...read more

Add your answer

Q99. Write a polyfill of JS promise

Ans.

A polyfill for JS promise is a piece of code that provides support for promises in older browsers.

  • Create a Promise class with resolve, reject, then, and catch methods

  • Implement the executor function to handle the asynchronous operation

  • Use setTimeout to simulate asynchronous behavior

  • Handle chaining of then and catch methods

Add your answer

Q100. Design system for splitwise

Ans.

Design a system for managing shared expenses among friends

  • Create user accounts with email verification

  • Allow users to create groups and add expenses

  • Implement algorithms to calculate balances and settle debts

  • Provide notifications for pending payments

  • Include features for adding notes and attaching receipts

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

Interview Process at Symatic Engineering

based on 157 interviews in the last 1 year
Interview experience
4.1
Good
View more
Interview Tips & Stories
Ace your next interview with expert advice and inspiring stories

Top Interview Questions from Similar Companies

4.0
 • 559 Interview Questions
3.5
 • 417 Interview Questions
3.6
 • 377 Interview Questions
3.8
 • 184 Interview Questions
4.4
 • 134 Interview Questions
View all
Top Meesho Interview Questions And Answers
Share an Interview
Stay ahead in your career. Get AmbitionBox app
qr-code
Helping over 1 Crore job seekers every month in choosing their right fit company
70 Lakh+

Reviews

5 Lakh+

Interviews

4 Crore+

Salaries

1 Cr+

Users/Month

Contribute to help millions
Get AmbitionBox app

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