Add office photos
Engaged Employer

Optum Global Solutions

4.0
based on 6k Reviews
Proud winner of ABECA 2024 - AmbitionBox Employee Choice Awards
Filter interviews by

200+ Myla Organics Interview Questions and Answers

Updated 27 Feb 2025
Popular Designations

Q1. 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 starts with the first two numbers X and Y, and the position N in the series

Add your answer

Q2. Merge Two Sorted Linked Lists Problem Statement

You are provided with two sorted linked lists. Your task is to merge them into a single sorted linked list and return the head of the combined linked list.

Input:...read more

Ans.

Merge two sorted linked lists into a single sorted linked list with constant space complexity and linear time complexity.

  • Create a dummy node to start the merged list

  • Compare the values of the two linked lists and append the smaller value to the merged list

  • Move the pointer of the merged list and the pointer of the smaller value's linked list

  • Continue this process until one of the linked lists is fully traversed

  • Append the remaining elements of the other linked list to the merged ...read more

Add your answer

Q3. Count Pairs Problem Statement

You are given an array A of length N consisting only of integers. Additionally, you are provided with three integers X, Y and SUM. Your task is to count the number of pairs (i, j) ...read more

Ans.

Count the number of pairs in an array that satisfy a given equation.

  • Iterate through all pairs of indices in the array and check if the equation is satisfied.

  • Use a hashmap to store the frequency of values that can be used to form pairs.

  • Optimize the solution by using two pointers approach to find pairs efficiently.

Add your answer

Q4. Consonant Counting Problem Statement

Given a string STR comprising uppercase and lowercase characters and spaces, your task is to count the number of consonants in the string.

A consonant is defined as an Engli...read more

Ans.

Count the number of consonants in a given string containing uppercase and lowercase characters and spaces.

  • Iterate through each character in the string and check if it is a consonant (not a vowel).

  • Keep a count of the consonants encountered while iterating through the string.

  • Return the total count of consonants at the end.

Add your answer
Discover Myla Organics interview dos and don'ts from real experiences

Q5. Delete a Node from a Linked List

You are provided with a linked list of integers. Your task is to implement a function that deletes a node located at a specified position 'POS'.

Input:

The first line contains a...read more
Ans.

Implement a function to delete a node from a linked list at a specified position.

  • Traverse the linked list to find the node at the specified position.

  • Update the pointers of the previous and next nodes to skip the node to be deleted.

  • Handle edge cases such as deleting the head or tail of the linked list.

  • Ensure to free the memory of the deleted node to avoid memory leaks.

Add your answer

Q6. Array Intersection Problem Statement

Given two integer arrays/ lists ARR1 and ARR2 of sizes N and M respectively, you are required to determine their intersection. An intersection is defined as the set of commo...read more

Ans.

Find the intersection of two integer arrays/lists in the order they appear in the first array/list.

  • Iterate through the elements of the first array/list and check if they exist in the second array/list.

  • Use a hash set to store elements of the first array/list for efficient lookups.

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

Add your answer
Are these interview questions helpful?

Q7. Author and Books Formatting

Given a structured list of books and their authors, format the information as specified.

Input:

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

The task is to format a list of authors and their books in a specific way as per the given input format.

  • Parse the input to extract the number of test cases, number of authors, author names, and their respective books.

  • Format the output by printing the author names and their books in the specified format.

  • Ensure correct sequence and labeling of authors and books as per the example provided.

  • Handle multiple test cases and authors with varying numbers of books.

  • Focus on the structur...read more

Add your answer

Q8. Shortest Path in Ninjaland

Ninjaland consists of ‘N’ states and ‘M’ paths. Each path connecting two states can either be a normal path or a special path, each with its unique length. Your task is to find the sh...read more

Ans.

Find the shortest distance between two states in Ninjaland with at most one special path.

  • Use Dijkstra's algorithm to find the shortest path between two states.

  • Keep track of the shortest path with at most one special path included.

  • Consider both normal and special paths while calculating the shortest distance.

  • Handle cases where multiple paths exist between two states.

Add your answer
Share interview questions and help millions of jobseekers 🌟

Q9. Longest Palindromic Substring Problem Statement

You are provided with a string STR of length N. The task is to find the longest palindromic substring within STR. If there are several palindromic substrings of t...read more

Ans.

Find the longest palindromic substring in a given string.

  • Iterate through the string and expand around each character to find palindromes

  • Keep track of the longest palindrome found so far

  • Return the longest palindromic substring

Add your answer

Q10. Armstrong Number Problem Statement

You are provided an integer 'NUM'. Determine if 'NUM' is an Armstrong number.

Explanation:

An integer 'NUM' with 'k' digits is an Armstrong number if the sum of its digits, ea...read more

Ans.

Determine if a given integer is an Armstrong number by checking if the sum of its digits raised to the power of the number of digits equals the number itself.

  • Iterate through each digit of the number and calculate the sum of each digit raised to the power of the total number of digits.

  • Compare the calculated sum with the original number to determine if it's an Armstrong number.

  • Return 'YES' if the number is an Armstrong number, 'NO' otherwise.

Add your answer

Q11. Longest Substring Without Repeating Characters Problem Statement

Given a string S of length L, determine the length of the longest substring that contains no repeating characters.

Example:

Input:
"abacb"
Output...read more
Ans.

Find the length of the longest substring without repeating characters in a given string.

  • Use a sliding window approach to keep track of the longest substring without repeating characters.

  • Use a hashmap to store the index of each character in the string.

  • Update the start index of the window when a repeating character is encountered.

  • Calculate the maximum length of the substring as you iterate through the string.

  • Return the maximum length of the substring at the end.

Add your answer

Q12. Minimum Direction Changes Problem Statement

Given a 2D grid with 'N' rows and 'M' columns, where each cell contains a character from the set { 'U', 'L', 'D', 'R' } indicating the allowed direction to move to a ...read more

Ans.

The problem involves finding the minimum number of direction changes needed to create a valid path from the top-left to the bottom-right corner of a 2D grid.

  • Create a graph representation of the grid with directions as edges.

  • Use a shortest path algorithm like Dijkstra or BFS to find the minimum number of changes needed.

  • Handle edge cases like unreachable bottom-right corner or invalid input.

  • Consider implementing a helper function to convert directions to movements for easier tr...read more

Add your answer

Q13. Maximum XOR Problem Statement

You are given an integer X. Your goal is to find an integer Y such that the bitwise XOR of X and Y yields the maximum possible value. The integer Y must not exceed 2305843009213693...read more

Ans.

Find an integer Y such that XOR of X and Y yields maximum value within given constraints.

  • Iterate through each test case and find the maximum possible Y by flipping all bits of X except the most significant bit.

  • The maximum value of Y is 2^61 - 1, which is 2305843009213693951.

  • Ensure that the obtained Y does not exceed the given constraints.

Add your answer

Q14. Minimum Days to Complete Work

You have 'N' tasks to complete. Each task can only be done on one of two specific days provided in two arrays: day1 and day2.

For each task i, day1[i] represents the earliest day t...read more

Ans.

Find the minimum number of days required to complete all tasks given specific completion days for each task.

  • Sort the tasks based on day1 in ascending order.

  • For each task, choose the minimum of day1 and day2 as the completion day.

  • Keep track of the maximum completion day for each task.

  • The final answer is the maximum completion day of all tasks.

Add your answer

Q15. Kth Largest Element Problem

Given an array containing N distinct positive integers and a number K, determine the Kth largest element in the array.

Example:

Input:
N = 6, K = 3, array = [2, 1, 5, 6, 3, 8]
Output...read more
Ans.

Find the Kth largest element in an array of distinct positive integers.

  • Sort the array in non-increasing order to easily find the Kth largest element.

  • Ensure all elements in the array are distinct for accurate results.

  • Handle multiple test cases efficiently by iterating through each case.

Add your answer

Q16. Graph Coloring Problem

You are given a graph with 'N' vertices numbered from '1' to 'N' and 'M' edges. Your task is to color this graph using two colors, such as blue and red, in a way that no two adjacent vert...read more

Ans.

Given a graph with 'N' vertices and 'M' edges, determine if it can be colored using two colors without adjacent vertices sharing the same color.

  • Use graph coloring algorithm like BFS or DFS to check if the graph can be colored with two colors without conflicts.

  • Check if any adjacent vertices have the same color. If so, it is not possible to color the graph as described.

  • If the graph has connected components, color each component separately to determine if the entire graph can be...read more

Add your answer

Q17. N Queens Problem

Given an integer N, find all possible placements of N queens on an N x N chessboard such that no two queens threaten each other.

Explanation:

A queen can attack another queen if they are in the...read more

Ans.

The N Queens Problem involves finding all possible placements of N queens on an N x N chessboard where no two queens threaten each other.

  • Understand the constraints of the problem: N queens on an N x N chessboard, no two queens can threaten each other.

  • Implement a backtracking algorithm to explore all possible configurations.

  • Check for conflicts in rows, columns, and diagonals before placing a queen.

  • Generate and print valid configurations where queens do not attack each other.

  • Co...read more

Add your answer

Q18. String Transformation Problem

Given a string (STR) of length N, you are tasked to create a new string through the following method:

Select the smallest character from the first K characters of STR, remove it fr...read more

Ans.

Given a string and an integer, create a new string by selecting the smallest character from the first K characters of the input string and repeating the process until the input string is empty.

  • Iterate through the input string, selecting the smallest character from the first K characters each time.

  • Remove the selected character from the input string and append it to the new string.

  • Continue this process until the input string is empty.

  • Return the final new string formed after the...read more

Add your answer

Q19. Find All Pairs Adding Up to Target

Given an array of integers ARR of length N and an integer Target, your task is to return all pairs of elements such that they add up to the Target.

Input:

The first line conta...read more
Ans.

Given an array of integers and a target, find all pairs of elements that add up to the target.

  • Iterate through the array and for each element, check if the target minus the element exists in a hash set.

  • If it exists, print the pair (element, target-element), otherwise add the element to the hash set.

  • If no pair is found, print (-1, -1).

Add your answer

Q20. 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 second largest element does not exist.

Add your answer

Q21. Bubble Sort Problem Statement

Sort the given unsorted array consisting of N non-negative integers in non-decreasing order using the Bubble Sort algorithm.

Input:

The first line contains an integer 'T' represent...read more
Ans.

Bubble Sort algorithm is used to sort an array of non-negative integers in non-decreasing order.

  • Implement the Bubble Sort algorithm to sort the array in place.

  • Compare adjacent elements and swap them if they are in the wrong order.

  • Repeat this process until the array is sorted.

  • Time complexity of Bubble Sort is O(n^2) in the worst case.

  • Example: For input [6, 2, 8, 4, 10], the output should be [2, 4, 6, 8, 10].

Add your answer

Q22. Search in Infinite Sorted 0-1 Array Problem Statement

You are provided with an infinite sorted array that consists exclusively of 0s followed by 1s. Your task is to determine the index of the first occurrence o...read more

Add your answer

Q23. Find Pair With Smallest Difference Problem Statement

Given two unsorted arrays of non-negative integers, arr1 and arr2 with sizes N and M, determine the pair of elements (one from each array) which have the sma...read more

Add your answer

Q24. What is copay coins and out of pocket

Ans.

Copay, coinsurance, and out-of-pocket expenses are all terms used to describe the portion of medical costs that patients are responsible for paying.

  • Copay is a fixed amount that patients pay for a specific medical service or prescription drug.

  • Coinsurance is a percentage of the cost of a medical service that patients are responsible for paying.

  • Out-of-pocket expenses are the total amount of money patients pay for medical services and prescription drugs that are not covered by in...read more

View 6 more answers
Q25. Can you explain the different levels of data abstraction in a DBMS?
Ans.

Data abstraction in a DBMS involves hiding complex details from users, allowing them to interact with data at different levels of complexity.

  • Data abstraction in DBMS involves three levels: Physical level, Logical level, and View level.

  • Physical level deals with how data is stored on the storage medium, including details like data structures and file formats.

  • Logical level defines the structure of the database, including tables, relationships, and constraints.

  • View level provides...read more

Add your answer
Q26. What are the ACID properties in DBMS?
Ans.

ACID properties in DBMS ensure data integrity and consistency.

  • Atomicity: All operations in a transaction are completed successfully or none are. For example, transferring money from one account to another.

  • Consistency: Database remains in a consistent state before and after the transaction. For example, maintaining referential integrity.

  • Isolation: Transactions are executed independently without interference. For example, concurrent transactions should not affect each other.

  • Dur...read more

View 2 more answers
Q27. How can you measure 9 minutes using only a 4-minute hourglass and a 7-minute hourglass?
Ans.

Measure 9 minutes using a 4-minute hourglass and a 7-minute hourglass

  • Start both hourglasses at the same time

  • When the 4-minute hourglass runs out, flip it immediately

  • When the 7-minute hourglass runs out, flip it immediately

  • When the 4-minute hourglass runs out for the second time, 9 minutes have passed

Add your answer

Q28. Difference between DM type 1 and DM type 2

Ans.

DM type 1 is an autoimmune disease where the body attacks insulin-producing cells, while DM type 2 is a metabolic disorder where the body becomes resistant to insulin.

  • DM type 1 is usually diagnosed in children and young adults, while DM type 2 is more common in adults over 40.

  • DM type 1 requires insulin injections for treatment, while DM type 2 can often be managed with lifestyle changes and medication.

  • DM type 1 is less common than DM type 2, accounting for only 5-10% of all d...read more

View 9 more answers

Q29. How to make restrict a class so that it can not be inherited

Ans.

To restrict a class from being inherited, mark it as final.

  • Use the final keyword before the class declaration.

  • Final classes cannot be subclassed.

  • Any attempt to subclass a final class will result in a compile-time error.

Add your answer

Q30. What are constructors in dot net core and how will you overload a constructor.

Ans.

Constructors are special methods used to initialize objects. Overloading allows multiple constructors with different parameters.

  • Constructors have the same name as the class and no return type.

  • Overloading constructors allows for different ways to initialize objects.

  • Example: public class Person { public Person(string name) { } public Person(string name, int age) { } }

  • Overloaded constructors can call each other using the 'this' keyword.

Add your answer
Q31. How can you find the 5th highest salary in a list of salaries using a SQL query?
Ans.

Use SQL query with ORDER BY and LIMIT to find the 5th highest salary.

  • Use ORDER BY clause to sort salaries in descending order

  • Use LIMIT 4,1 to skip the first 4 salaries and get the 5th highest salary

Add your answer

Q32. How far you are good at automate the infra using scripting or coding?

Ans.

I am highly skilled in automating infrastructure using scripting and coding.

  • Proficient in scripting languages like Python, Bash, and PowerShell

  • Experience in using configuration management tools like Ansible and Chef

  • Familiarity with cloud platforms like AWS and Azure and their automation tools

  • Implemented infrastructure as code using tools like Terraform

  • Automated deployment pipelines using tools like Jenkins and GitLab CI/CD

  • Examples: Wrote Python scripts to automate AWS EC2 ins...read more

View 2 more answers

Q33. Diabetes , its type and difference

Ans.

Diabetes is a chronic condition that affects how your body processes blood sugar.

  • Type 1 diabetes is an autoimmune disease where the body attacks the cells in the pancreas that produce insulin.

  • Type 2 diabetes is a condition where the body becomes resistant to insulin or doesn't produce enough insulin.

  • Gestational diabetes occurs during pregnancy and usually goes away after delivery.

  • Diabetes can lead to serious health complications such as heart disease, kidney disease, and nerv...read more

View 2 more answers

Q34. Arrange the array in decreasing order without extra space and without sort function & reverse function.

Ans.

Use bubble sort algorithm to rearrange the array in decreasing order.

  • Iterate through the array and compare adjacent elements, swapping them if they are in the wrong order.

  • Repeat this process until the array is sorted in decreasing order.

  • Example: ['apple', 'banana', 'cherry'] -> ['cherry', 'banana', 'apple']

Add your answer

Q35. What is the difference between obj open and obj open by handle

Ans.

obj open vs obj open by handle

  • obj open opens a file and returns a file object

  • obj open by handle opens a file using a file descriptor

  • obj open by handle is faster than obj open

  • obj open by handle is used when you already have a file descriptor

Add your answer

Q36. Tell me about Authorization denial and how you handle COB denial in case of primary payer and secondary payer

Ans.

Authorization and COB denial handling for primary and secondary payers

  • Authorization denial can occur when a service or procedure is not covered by the insurance plan

  • COB denial happens when the primary payer has not paid the full amount and the secondary payer is responsible for the remaining balance

  • To handle authorization denial, I would review the insurance policy and communicate with the provider to determine if an appeal is necessary

  • For COB denial, I would verify the prima...read more

Add your answer

Q37. How to change the work object status of the multiple cases from pending to closed.

Ans.

To change work object status of multiple cases from pending to closed.

  • Identify the cases that need to be closed

  • Update the status of each case to closed

  • Save the changes made to the cases

  • Use a loop to perform the above steps for multiple cases

  • Example: Use a query to identify all cases with pending status and update their status to closed

Add your answer

Q38. What is encapsulation, TDP, UDP, Normalization etc

Ans.

Encapsulation is the concept of bundling data and methods that operate on the data into a single unit.

  • Encapsulation helps in hiding the internal state of an object and restricting access to it.

  • It allows for better control over the data by preventing direct access from outside the class.

  • Example: In object-oriented programming, classes are used to implement encapsulation by combining data attributes and methods.

  • TDP stands for Transmission Control Protocol, a connection-oriented...read more

Add your answer

Q39. What is your general knowledge of anatomy, physiology, and the basic uses of medicine?

Ans.

I have a strong understanding of anatomy, physiology, and the basic uses of medicine.

  • I have studied human anatomy and physiology in depth, including the structure and function of organs and systems in the body.

  • I am familiar with common medical terminology and the principles of disease processes.

  • I understand the basic uses of medications, including their classifications, side effects, and interactions.

  • I have practical experience in coding medical procedures and diagnoses based...read more

Add your answer

Q40. What are the recent technologies you worked with?

Ans.

I have worked with React, Node.js, and AWS recently.

  • Developed a web application using React and Node.js

  • Deployed the application on AWS EC2 instance

  • Used AWS S3 for storing and retrieving files

  • Implemented authentication and authorization using AWS Cognito

  • Integrated Stripe payment gateway for online payments

Add your answer

Q41. What are void claims, types of Medicare, types of denials, OI types.

Ans.

Void claims are claims that are invalid or incomplete, Medicare has different types, denials can be based on various reasons, and OI types refer to other insurance types.

  • Void claims are claims that are missing information or are incorrect, leading to rejection by the payer.

  • Types of Medicare include Part A (hospital insurance), Part B (medical insurance), Part C (Medicare Advantage), and Part D (prescription drug coverage).

  • Types of denials can be based on eligibility, coverage...read more

Add your answer

Q42. Types of myocardial infarctions

Ans.

There are two types of myocardial infarctions: STEMI and NSTEMI.

  • STEMI (ST-elevation myocardial infarction) is caused by a complete blockage of a coronary artery.

  • NSTEMI (non-ST-elevation myocardial infarction) is caused by a partial blockage of a coronary artery.

  • STEMI is considered more severe and requires immediate medical attention.

  • NSTEMI may not show as many symptoms and can be more difficult to diagnose.

  • Examples of symptoms include chest pain, shortness of breath, and naus...read more

View 2 more answers

Q43. what will be your approach if you have to develop a framework from scratch?

Ans.

My approach would be to first understand the project requirements, identify the tools and technologies needed, and then design a modular and scalable framework.

  • Understand project requirements

  • Identify tools and technologies needed

  • Design a modular and scalable framework

  • Create a folder structure for the framework

  • Define coding standards and guidelines

  • Implement reusable functions and libraries

  • Integrate with version control system

  • Implement reporting and logging mechanisms

  • Create tes...read more

Add your answer
Q44. What are constraints in SQL?
Ans.

Constraints in SQL are rules that are enforced on data columns in a table.

  • Constraints ensure data integrity by enforcing rules on data columns

  • Common constraints include NOT NULL, UNIQUE, PRIMARY KEY, FOREIGN KEY, CHECK

  • Example: NOT NULL constraint ensures a column cannot have NULL values

Add your answer

Q45. Can u explain about pharmacovigilance

Ans.

Pharmacovigilance is the science and activities related to the detection, assessment, understanding, and prevention of adverse effects or any other drug-related problems.

  • Pharmacovigilance is the process of monitoring and evaluating the safety and effectiveness of drugs.

  • It involves collecting and analyzing data on adverse drug reactions (ADRs) and other drug-related problems.

  • Pharmacovigilance aims to ensure patient safety and improve the overall quality of healthcare.

  • It plays ...read more

Add your answer

Q46. Current ctc how much you expect

Ans.

I expect a salary increase of 10% from my current CTC.

  • I have researched the market rates for Claims Associates and based on my experience and skills, I believe a 10% increase is reasonable.

  • I have consistently performed well in my current role and have received positive feedback from my superiors, which justifies the salary increase.

  • I am confident that my skills and expertise will contribute significantly to the company's success, making me deserving of a higher compensation.

  • I...read more

View 1 answer

Q47. How to handle attrition and shrinkage

Ans.

Attrition and shrinkage can be handled by implementing effective retention strategies and optimizing workforce management.

  • Implementing employee engagement programs to boost morale and job satisfaction

  • Offering competitive compensation and benefits packages

  • Providing opportunities for career growth and development

  • Optimizing scheduling and staffing to minimize overstaffing and understaffing

  • Conducting regular performance evaluations and providing feedback to employees

  • Identifying a...read more

Add your answer

Q48. write a program to reverse a string, remove duplicates from a string, String s="Test$123.QA", output should be Test 123 QA

Ans.

Program to reverse a string and remove duplicates from it.

  • Create a function to reverse the string using a loop or built-in function

  • Create a function to remove duplicates using a loop or built-in function

  • Split the string by the delimiter and join it with space

Add your answer

Q49. What is accruals explain with example

Ans.

Accruals are expenses incurred but not yet paid or recorded in the books.

  • Accruals are a way of recognizing expenses in the period they are incurred, rather than when they are paid.

  • They are recorded as a liability on the balance sheet until they are paid.

  • Examples of accruals include salaries and wages, interest, and taxes.

  • Accruals are important for accurate financial reporting and forecasting.

Add your answer

Q50. What is claims?

Ans.

Claims refer to requests made by policyholders to insurance companies for compensation for damages or losses covered by their insurance policy.

  • Claims are requests made by policyholders to insurance companies for compensation for damages or losses covered by their insurance policy.

  • Claims can be related to various types of insurance policies such as auto, home, health, and life insurance.

  • The process of filing a claim typically involves providing documentation of the damages or ...read more

Add your answer

Q51. Inner join result of 2 table. Table one [1,1,1,1] table two [1,1,1,1,1,1]

Ans.

The inner join of two tables with duplicate values results in a combined set of common values.

  • Inner join combines rows from both tables where the key columns match

  • In this case, the result would be [1,1,1,1,1,1] as all values are common in both tables

Add your answer

Q52. What is it that makes a company different from the others?

Ans.

A company's unique value proposition, culture, innovation, and customer experience sets it apart from others.

  • Unique value proposition: what the company offers that others don't

  • Culture: the company's values, beliefs, and practices

  • Innovation: the ability to create new and better products/services

  • Customer experience: how the company interacts with and satisfies its customers

  • Examples: Apple's design and innovation, Zappos' customer service, Google's company culture

Add your answer

Q53. What are chronic and acute medical conditions?

Ans.

Chronic medical conditions are long-lasting and persistent, while acute medical conditions are sudden and short-term.

  • Chronic conditions last for a long time and often require ongoing medical treatment

  • Acute conditions come on suddenly and are usually resolved within a short period of time

  • Examples of chronic conditions include diabetes, asthma, and hypertension

  • Examples of acute conditions include the flu, a broken bone, and a heart attack

Add your answer

Q54. How to deal with client on phone call and how to communicate with them

Ans.

Effective communication is key to dealing with clients on phone calls. It requires active listening, empathy, and clear articulation.

  • Listen actively to the client's concerns and needs

  • Show empathy and understanding towards their situation

  • Use clear and concise language to explain technical solutions

  • Avoid technical jargon and use layman's terms

  • Confirm understanding by summarizing the conversation and next steps

  • Maintain a professional and courteous tone throughout the call

Add your answer

Q55. What is UB04 BILL TYPE Facility type POS

Ans.

UB04 is a standard claim form used by healthcare providers to bill for services provided to patients in a facility setting.

  • UB04 is also known as the CMS-1450 form

  • It is used for billing Medicare, Medicaid, and private insurance companies

  • The bill type field on the form indicates the type of service being billed, such as inpatient or outpatient

  • The facility type field indicates the type of healthcare facility, such as hospital or nursing home

  • The POS field indicates the place of s...read more

Add your answer

Q56. What task do u perform as automation testing activity?

Ans.

As an automation testing activity, I perform tasks such as creating and executing automated test scripts, analyzing test results, and reporting defects.

  • Creating and maintaining automated test scripts using tools like Selenium, Appium, or TestComplete

  • Executing automated test scripts and analyzing test results to identify defects

  • Reporting defects and working with developers to resolve them

  • Integrating automated tests into the continuous integration and delivery pipeline

  • Collabora...read more

Add your answer

Q57. What is capacity planning in detail

Ans.

Capacity planning is the process of determining the production capacity needed by an organization to meet changing demands for its products.

  • It involves forecasting future demand and determining the resources needed to meet that demand

  • It helps in optimizing the utilization of resources and reducing costs

  • It involves analyzing historical data, market trends, and customer behavior to make informed decisions

  • It helps in identifying bottlenecks and taking corrective actions to impro...read more

Add your answer

Q58. What is the impact of purchase of inventory on financial statements

Ans.

Purchase of inventory impacts financial statements by increasing assets and reducing cash or accounts payable.

  • Increase in inventory asset on balance sheet

  • Decrease in cash or increase in accounts payable on balance sheet

  • Cost of goods sold on income statement is impacted by inventory purchases

  • Gross profit margin is affected by inventory purchases

  • Inventory turnover ratio can be impacted by inventory purchases

Add your answer

Q59. What is the SAFe (Scaled Agile Framework) Framework, and how does it function?

Ans.

SAFe is a framework for scaling Agile practices across an organization.

  • SAFe provides a set of principles, practices, and roles to help organizations implement Agile at scale.

  • It includes different levels such as Team, Program, Large Solution, and Portfolio to address various scaling needs.

  • SAFe incorporates Lean and Agile principles to enable organizations to deliver value faster and more efficiently.

  • Examples of SAFe practices include PI Planning, Scrum of Scrums, and Inspect a...read more

Add your answer

Q60. Bacteria can grow in how many days

Ans.

Bacteria can grow in as little as 20 minutes to several days depending on the type and environmental conditions.

  • The growth rate of bacteria varies depending on the type of bacteria and the environmental conditions.

  • Some bacteria can double in number every 20 minutes, while others may take several days to grow.

  • Factors that affect bacterial growth include temperature, pH level, moisture, and nutrient availability.

  • Examples of fast-growing bacteria include E. coli and Salmonella, ...read more

Add your answer

Q61. How to improve quality and production

Ans.

Improving quality and production requires a focus on process optimization and employee training.

  • Identify areas of inefficiency and implement process improvements

  • Invest in employee training and development to improve skills and knowledge

  • Regularly review and analyze production data to identify areas for improvement

  • Implement quality control measures to ensure consistent output

  • Encourage employee feedback and suggestions for improvement

Add your answer

Q62. Journal entry of prepaid and outstanding expense

Ans.

Prepaid expenses are assets paid in advance while outstanding expenses are liabilities yet to be paid.

  • Prepaid expenses are recorded as assets on the balance sheet until they are used or expire.

  • Journal entry for prepaid expense: Debit Prepaid Expense, Credit Cash/Bank.

  • Outstanding expenses are recorded as liabilities on the balance sheet until they are paid.

  • Journal entry for outstanding expense: Debit Expense, Credit Accounts Payable.

  • Adjusting entries are made at the end of the...read more

Add your answer

Q63. Explian the process how you start kr end your work?

Ans.

I start my work by reviewing my to-do list and prioritizing tasks. I end my work by reviewing what I have accomplished and planning for the next day.

  • Review to-do list and prioritize tasks

  • Set goals for the day

  • Take breaks as needed

  • Review accomplishments at the end of the day

  • Plan for the next day

  • Organize workspace before leaving

Add your answer

Q64. What are the types of relationships in Database Management Systems (DBMS)?

Ans.

Types of relationships in DBMS include one-to-one, one-to-many, and many-to-many relationships.

  • One-to-one relationship: Each record in one table is related to only one record in another table.

  • One-to-many relationship: Each record in one table can be related to multiple records in another table.

  • Many-to-many relationship: Multiple records in one table can be related to multiple records in another table.

  • Examples: One-to-one - Employee and EmployeeDetails tables, One-to-many - De...read more

Add your answer

Q65. what are layers of skin? Enlist systems present in human body. Describe urinary system what are harmones secreted by thyroid gland.

Ans.

The layers of skin are epidermis, dermis, and hypodermis. The human body has various systems including the urinary system.

  • Layers of skin: epidermis, dermis, and hypodermis

  • Systems in the human body: urinary system, respiratory system, circulatory system, digestive system, etc.

  • Urinary system: responsible for filtering waste products from the blood and producing urine

  • Hormones secreted by the thyroid gland: thyroxine (T4) and triiodothyronine (T3)

Add your answer

Q66. What is the one thing you want to expereince?

Ans.

I want to experience living in a different country and immersing myself in a new culture.

  • Traveling to a foreign country and learning about their customs and traditions

  • Trying new foods and experiencing different ways of life

  • Making friends with locals and exploring the local attractions

Add your answer

Q67. Cancer relted types and benign and maligqnt

Ans.

Cancer can be classified as benign or malignant based on its behavior and potential to spread.

  • Benign tumors are non-cancerous and do not spread to other parts of the body.

  • Malignant tumors are cancerous and have the potential to invade nearby tissues and spread to other parts of the body.

  • Examples of benign tumors include lipomas and fibroids, while examples of malignant tumors include lung cancer and breast cancer.

Add your answer

Q68. What is Spark configuration for loading 1 TB data splited into 128MB chunks

Ans.

Set executor memory to 8GB and executor cores to 5 for optimal performance.

  • Set spark.executor.memory to 8g

  • Set spark.executor.cores to 5

  • Set spark.default.parallelism to 8000

  • Use Hadoop InputFormat to read data in 128MB chunks

Add your answer

Q69. how to read the data and assert with db value in api automation

Ans.

To read data and assert with db value in API automation, use API response to extract data and compare with database query result.

  • Extract data from API response using JSON parsing libraries like Gson or Jackson

  • Execute database query to retrieve expected value

  • Compare the extracted data with the database value using assertion libraries like TestNG or JUnit

Add your answer

Q70. What strategies do you employ for troubleshooting electrical systems within the company?

Ans.

I employ a systematic approach including visual inspection, testing equipment, and analyzing schematics.

  • Perform a visual inspection to identify any obvious issues such as loose connections or damaged components

  • Utilize testing equipment such as multimeters to measure voltage, current, and resistance

  • Analyze schematics to understand the layout of the electrical system and pinpoint potential problem areas

  • Isolate the issue by testing individual components or sections of the system...read more

Add your answer

Q71. What are the different exceptions you came across?

Ans.

I have come across various exceptions in my role as a Quality Analyst, including data discrepancies, system errors, and process deviations.

  • Data discrepancies between different systems or sources

  • System errors such as crashes or bugs affecting quality metrics

  • Process deviations from established procedures or standards

  • Incorrect data entry leading to quality issues

Add your answer

Q72. What is Incident, problem and change management?

Ans.

Incident, problem, and change management are processes used in IT to handle unexpected events, identify root causes of issues, and implement modifications to systems.

  • Incident management involves responding to and resolving unexpected events that disrupt normal operations, such as system crashes or network outages.

  • Problem management focuses on identifying the root causes of recurring incidents to prevent them from happening again in the future.

  • Change management is the process ...read more

Add your answer

Q73. What do you know about autoimmune disorders?

Ans.

Autoimmune disorders occur when the immune system mistakenly attacks healthy cells in the body.

  • Autoimmune disorders result from a malfunction of the immune system.

  • Examples include rheumatoid arthritis, lupus, and type 1 diabetes.

  • Treatment often involves managing symptoms and suppressing the immune response.

Add your answer

Q74. 6) What is Ectomy..? 7)what is otomy..? 8) what is amputation..? 9) Explain laterality ICD guidelines..? 10)what MI and types

Ans.

Ectomy is a surgical procedure to remove a part of the body, otomy is a surgical procedure to create an opening in the body, and amputation is the surgical removal of a limb or body part.

  • Ectomy involves the removal of a specific part of the body, such as a tonsillectomy (removal of tonsils).

  • Otomies involve creating an opening in a specific part of the body, such as a tracheotomy (creation of an opening in the windpipe).

  • Amputation is the surgical removal of a limb or body part...read more

Add your answer

Q75. What could be the factor make you to leave optum solution

Ans.

Factors that could make me leave Optum Solutions include lack of career growth opportunities, toxic work environment, and better job offers.

  • Lack of career growth opportunities

  • Toxic work environment

  • Better job offers

View 1 answer

Q76. Swap 2 adjacent elements of linked list.

Ans.

To swap 2 adjacent elements of a linked list, update the pointers accordingly.

  • Create a temporary pointer to store the address of the next node of the first element

  • Update the next pointer of the first element to point to the node after the next node

  • Update the next pointer of the temporary pointer to point to the first element

  • Update the next pointer of the node before the first element to point to the temporary pointer

Add your answer

Q77. Difference between append to and append to map to

Ans.

Append to adds an element to a list while append to map adds a key-value pair to a map.

  • Append to is used for lists while append to map is used for maps.

  • Append to adds an element to the end of the list while append to map adds a key-value pair to the map.

  • Append to map can also update the value of an existing key in the map.

Add your answer

Q78. What is difference between SQL and NoSQL

Ans.

SQL is a relational database management system, while NoSQL is a non-relational database management system.

  • SQL databases are table-based, NoSQL databases are document, key-value, graph, or wide-column stores

  • SQL databases use structured query language for defining and manipulating data, NoSQL databases use different query languages

  • SQL databases are vertically scalable, NoSQL databases are horizontally scalable

  • SQL databases are good for complex queries, NoSQL databases are bett...read more

Add your answer

Q79. Queue processor and job schedule difference

Ans.

Queue processor manages tasks in a queue while job scheduler schedules tasks based on time or event triggers.

  • Queue processor manages tasks in a queue and processes them in a first-in, first-out (FIFO) order.

  • Job scheduler schedules tasks based on time or event triggers, and can prioritize tasks based on their importance.

  • Queue processor is typically used for real-time processing of tasks, while job scheduler is used for batch processing.

  • Examples of queue processors include Rabb...read more

Add your answer

Q80. How will you approach a problem which you are completely unaware of

Ans.

I would start by breaking down the problem, researching similar problems, seeking help from colleagues, and experimenting with different solutions.

  • Break down the problem into smaller components to understand it better

  • Research similar problems online or in relevant literature

  • Seek help from colleagues or mentors who may have experience with similar problems

  • Experiment with different solutions to see what works best

Add your answer

Q81. How to check wheather a string is palindrome or not?

Ans.

To check if a string is palindrome or not.

  • Compare the first and last characters of the string and continue towards the middle until all characters have been compared.

  • If all characters match, the string is a palindrome.

  • If any characters do not match, the string is not a palindrome.

Add your answer

Q82. How to find length , freq of each char and list of unique characters of a string

Ans.

To find length, frequency of each character and list of unique characters of a string.

  • Iterate through the string and count the frequency of each character using a hash table.

  • Create a list of unique characters by iterating through the hash table.

  • Calculate the length of the string using the built-in length function.

  • Return the frequency, length and list of unique characters as an array of strings.

Add your answer

Q83. Why blocked rules are carry forward

Ans.

Blocked rules are carry forward to ensure consistency and prevent errors in future processing.

  • Blocked rules are rules that have been prevented from executing due to certain conditions not being met.

  • These rules are carried forward to ensure that they are not missed in future processing.

  • This helps to maintain consistency and prevent errors in the system.

  • For example, if a rule is blocked due to a missing data field, it will be carried forward until the missing field is filled in...read more

Add your answer

Q84. What are the types of diagnosis of DM

Ans.

The types of diagnosis of DM include Type 1 diabetes, Type 2 diabetes, and gestational diabetes.

  • Type 1 diabetes is an autoimmune condition where the body attacks insulin-producing cells in the pancreas.

  • Type 2 diabetes is a metabolic disorder characterized by insulin resistance and high blood sugar levels.

  • Gestational diabetes occurs during pregnancy and usually resolves after childbirth.

  • Other types of diabetes include monogenic diabetes and cystic fibrosis-related diabetes.

Add your answer

Q85. Use of superclass data transform check box

Ans.

Superclass data transform checkbox is used to inherit data transform rules from a parent class.

  • When checked, the subclass will inherit the data transform rules from the superclass

  • This can save time and effort in creating duplicate data transform rules

  • Example: A superclass has a data transform rule to convert a date format, when the checkbox is checked in a subclass, it will also use the same rule

  • This checkbox is available in Pega platform for software development

Add your answer

Q86. Difference between relational and non relational dbms

Ans.

Relational DBMS stores data in tables with predefined relationships, while non-relational DBMS stores data in flexible, schema-less formats.

  • Relational DBMS uses structured query language (SQL) for querying data

  • Non-relational DBMS can store data in various formats like key-value pairs, document-based, graph databases

  • Relational DBMS ensures data integrity through normalization and constraints

  • Non-relational DBMS offers better scalability and flexibility for handling unstructured...read more

Add your answer

Q87. difference betweeen class,abstract class,interface in python

Ans.

Class is a blueprint for creating objects, abstract class cannot be instantiated and can have abstract methods, interface is a contract for classes to implement certain methods.

  • Class is a blueprint for creating objects with attributes and methods.

  • Abstract class cannot be instantiated and can have abstract methods that must be implemented by subclasses.

  • Interface is a contract for classes to implement certain methods, but does not provide any implementation.

Add your answer

Q88. Explain the data pipeline you have worked on.

Ans.

Designed and implemented a real-time data pipeline for processing and analyzing user behavior data.

  • Used Apache Kafka for real-time data streaming

  • Utilized Apache Spark for data processing and analysis

  • Implemented data transformations and aggregations using Scala

  • Stored processed data in a data warehouse like Amazon Redshift

  • Built monitoring and alerting systems to ensure data pipeline reliability

Add your answer

Q89. How many bones in infants and adult

Ans.

Infants have around 270 bones, which fuse together as they grow into adults with 206 bones.

  • Infants have approximately 270 bones due to the presence of more cartilage that eventually fuses into bone

  • Adults have 206 bones as some bones fuse together during growth and development

  • Examples include the fusion of skull bones and the reduction in the number of bones in the spine from infancy to adulthood

Add your answer

Q90. You may have to learn various softwares, are you fine with it

Ans.

Yes, I am comfortable learning new software as needed for the role.

  • I am a quick learner and have experience adapting to new software in previous roles.

  • I am open to training and development opportunities to enhance my skills.

  • I understand the importance of staying current with technology in the accounting field.

Add your answer

Q91. How to troubleshoot issues and provide solution

Ans.

To troubleshoot issues and provide solutions, one must identify the problem, gather information, analyze data, and implement a solution.

  • Identify the problem by asking questions and gathering information from the user

  • Analyze data by reviewing logs, error messages, and system configurations

  • Implement a solution by testing and verifying the fix with the user

  • Document the solution for future reference

  • Provide excellent customer service throughout the process

Add your answer

Q92. How many system in human body

Ans.

There are 11 major systems in the human body.

  • The circulatory system transports blood throughout the body.

  • The respiratory system is responsible for breathing and gas exchange.

  • The digestive system processes food and absorbs nutrients.

  • The nervous system controls body functions and sends signals.

  • The skeletal system provides support and protection.

  • The muscular system allows movement and generates heat.

  • The integumentary system includes the skin, hair, and nails.

  • The endocrine system...read more

View 1 answer

Q93. What are trials and now many

Ans.

Trials are experiments conducted to test the effectiveness and safety of new drugs or treatments.

  • Trials are conducted to gather data on the effectiveness and safety of new drugs or treatments

  • Trials are usually conducted in phases, with each phase involving a different number of participants and objectives

  • Phase 1 trials involve a small number of healthy volunteers to test safety and dosage

  • Phase 2 trials involve a larger number of participants to test effectiveness and side eff...read more

Add your answer

Q94. Do you have experience with data visualisation tools..

Ans.

Yes, I have experience with data visualisation tools such as Tableau and Power BI.

  • Proficient in using Tableau for creating interactive dashboards and visualizations

  • Experience with Power BI for data analysis and reporting

  • Familiar with data visualization best practices and techniques

Add your answer

Q95. How many bones in adult and infants

Ans.

Adults have 206 bones while infants have around 270 bones which fuse together as they grow.

  • Adults have 206 bones in their body

  • Infants have around 270 bones which eventually fuse together as they grow

  • The number of bones in infants decreases as they age due to fusion of certain bones

  • Babies are born with around 270 bones, but as they grow, some bones fuse together to form larger bones

Add your answer

Q96. Why is NoSQL better then SQL

Ans.

NoSQL is better for handling unstructured data, providing scalability and flexibility.

  • NoSQL databases are better suited for handling unstructured data like social media posts, user-generated content, and IoT data.

  • NoSQL databases provide better scalability as they can easily distribute data across multiple servers, allowing for horizontal scaling.

  • NoSQL databases offer more flexibility in terms of data model, allowing for schema-less design and easier adaptation to changing dat...read more

Add your answer

Q97. Difference between PO & Non PO

Ans.

PO refers to Purchase Order while Non PO refers to expenses without a purchase order.

  • PO is a document that outlines the details of a purchase, including the items or services being purchased, the quantity, and the agreed-upon price.

  • Non PO expenses are those that do not require a purchase order, such as office supplies or travel expenses.

  • POs are typically used for larger purchases or purchases from new vendors, while non PO expenses are more routine and smaller in nature.

  • POs h...read more

Add your answer

Q98. What is the concept of a pointer in programming?

Ans.

A pointer in programming is a variable that stores the memory address of another variable.

  • Pointers allow for direct manipulation of memory locations

  • They are commonly used in languages like C and C++

  • Example: int *ptr; ptr = # // ptr now points to the memory address of num

Add your answer

Q99. Can we use inheritance in classes used by CSS?

Ans.

Yes, inheritance can be used in classes used by CSS.

  • Inheritance in CSS allows properties to be inherited by child elements from their parent elements.

  • This can be achieved using the 'inherit' keyword in CSS.

  • For example, if a parent element has a font color of red, child elements can inherit this color unless explicitly overridden.

Add your answer

Q100. Spark df rdd ds difference, Configuration of setup

Ans.

Difference between Spark df, rdd, ds and configuration setup

  • Spark df is a distributed collection of data organized into named columns

  • RDD is a fault-tolerant collection of elements that can be processed in parallel

  • DS is a type-safe version of df that provides compile-time type safety

  • Configuration setup involves setting up Spark properties like memory allocation, parallelism, etc.

  • Example: df.select('column').groupBy('column').agg({'column': 'sum'})

  • Example: rdd.map(lambda x: x*2...read more

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

Interview Process at Myla Organics

based on 561 interviews
Interview experience
4.2
Good
View more
Interview Tips & Stories
Ace your next interview with expert advice and inspiring stories

Top Interview Questions from Similar Companies

3.5
 • 2.1k Interview Questions
3.4
 • 791 Interview Questions
3.9
 • 725 Interview Questions
3.8
 • 375 Interview Questions
4.4
 • 202 Interview Questions
4.0
 • 158 Interview Questions
View all
Top Optum Global Solutions 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

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