Two cats and a mouse are at various positions on a line. You will be given their starting positions. Your task is to determine which cat will reach the mouse first, assuming the mouse doesn't move and the cats travel at equal speed. If the cats arrive at the same time, the mouse will be allowed to move and it will escape while they fight.
You are given queries in the form of , , and representing the respective positions for cats and , and for mouse . Complete the function to return the appropriate answer to each query, which will be printed on a new line.
- If cat catches the mouse first, print
Cat A
. - If cat catches the mouse first, print
Cat B
. - If both cats reach the mouse at the same time, print
Mouse C
as the two cats fight and mouse escapes.
For example, cat is at position and cat is at . If mouse is at position , it is units from cat and unit from cat . Cat will catch the mouse.
Description
It should return one of the three strings as described.
cat-and-mouse has the following parameter(s):
- x: an integer, Cat 's position
- y: an integer, Cat 's position
- z: an integer, Mouse 's position
Question from hackerrank.
Solution in C# -
class Solution {
static string catAndMouse(int x, int y, int z) {
int distx = Math.Abs(z-x);
int disty = Math.Abs(z-y);
if(distx==disty)
return "Mouse C";
else if(distx<disty)
return "Cat A";
else
return "Cat B";
}
static void Main(string[] args) {
TextWriter textWriter = new StreamWriter(@System.Environment.GetEnvironmentVariable("OUTPUT_PATH"), true);
int q = Convert.ToInt32(Console.ReadLine());
for (int qItr = 0; qItr < q; qItr++) {
string[] xyz = Console.ReadLine().Split(' ');
int x = Convert.ToInt32(xyz[0]);
int y = Convert.ToInt32(xyz[1]);
int z = Convert.ToInt32(xyz[2]);
string result = catAndMouse(x, y, z);
textWriter.WriteLine(result);
}
textWriter.Flush();
textWriter.Close();
}
}
Post a Comment