Given three integers A, B and K. Initially, the first person was ahead of the second person by K kms. In every hour, the first person moves ahead by A kms and the second person moves ahead by B kms. The task is to print the number of hours after which the second person crosses the first. If it is impossible to do so then print -1.
Examples:
Input: A = 4, B = 5, K = 1
Output: 2
Initially, the first person was ahead by 1 km.
After 1st hour the first and second person are at the same place.
After 2nd hour the first person moves ahead of the first person by 1 km.
Input: A = 6, B = 5, K = 1
Output: -1
A naive approach is to linearly check for every hour and print the n-th hour when the second person moves ahead of the first person.
An efficient approach is to solve the problem mathematically. The number of hours will be K / (B – A) + 1 when the second person moves ahead of the first person. Since you need to cover K kms, hence the time taken will be K / (B – A) where B – A is the speed of the second person with respect to the first person. If A ? B then it is not possible for the second person to cross the first person.
Below is the implementation of the above approach:
C++
#include <bits/stdc++.h>
using namespace std;
int findHours( int a, int b, int k)
{
if (a >= b)
return -1;
int time = k / (b - a);
time = time + 1;
return time ;
}
int main()
{
int a = 4, b = 5, k = 1;
cout << findHours(a, b, k);
return 0;
}
|
Java
import java.io.*;
class GFG
{
static int findHours( int a, int b, int k)
{
if (a >= b)
return - 1 ;
int time = k / (b - a);
time = time + 1 ;
return time;
}
public static void main (String[] args)
{
int a = 4 , b = 5 , k = 1 ;
System.out.println (findHours(a, b, k));
}
}
|
Python3
def findHours(a, b, k):
if (a > = b):
return - 1
time = k / / (b - a)
time = time + 1
return time
a = 4
b = 5
k = 1
print (findHours(a, b, k))
|
C#
using System;
class GFG
{
static int findHours( int a, int b, int k)
{
if (a >= b)
return -1;
int time = k / (b - a);
time = time + 1;
return time;
}
static public void Main ()
{
int a = 4, b = 5, k = 1;
Console.Write(findHours(a, b, k));
}
}
|
Javascript
<script>
function findHours(a, b, k)
{
if (a >= b)
return -1;
let time = k / (b - a);
time = time + 1;
return time;
}
let a = 4, b = 5, k = 1;
document.write(findHours(a, b, k));
</script>
|
Time Complexity: O(1), since there is a basic arithmetic operation that takes constant time.
Auxiliary Space: O(1), since no extra space has been taken.
Feeling lost in the world of random DSA topics, wasting time without progress? It's time for a change! Join our DSA course, where we'll guide you on an exciting journey to master DSA efficiently and on schedule.
Ready to dive in? Explore our Free Demo Content and join our DSA course, trusted by over 100,000 geeks!
Last Updated :
31 May, 2022
Like Article
Save Article