给定整数N ,任务是找到两个数字a和b,使得a / b = N和a – b =N 。如果没有这样的数字,请打印“ No” 。
例子:
Input: N = 6
Output:
a = 7.2
b = 1.2
Explanation:
For the given two numbers a and b, a/b = 6 = N and a-b = 6 = N
Input: N = 1
Output: No
Explanation:
There are no values of a and b that satisfy the condition.
方法:要解决此问题,请遵循以下公式:
在同时求解上述方程式时,我们得到:
由于分母为N – 1 ,因此当N = 1时,答案将是不可能的。对于所有其他情况,答案都是可能的。因此,分别找到a和b的值。
下面是上述方法的实现:
C++
// C++ program for the above approach
#include
using namespace std;
// Function to find two numbers with
// difference and division both as N
void findAandB(double N)
{
// Condition if the answer
// is not possible
if (N == 1) {
cout << "No";
return;
}
// Calculate a and b
double a = N * N / (N - 1);
double b = a / N;
// Print the values
cout << "a = " << a << endl;
cout << "b = " << b << endl;
}
// Driver Code
int main()
{
// Given N
double N = 6;
// Function Call
findAandB(N);
return 0;
}
Java
// Java program for the above approach
class GFG{
// Function to find two numbers with
// difference and division both as N
static void findAandB(double N)
{
// Condition if the answer
// is not possible
if (N == 1)
{
System.out.print("No");
return;
}
// Calculate a and b
double a = N * N / (N - 1);
double b = a / N;
// Print the values
System.out.print("a = " + a + "\n");
System.out.print("b = " + b + "\n");
}
// Driver Code
public static void main(String[] args)
{
// Given N
double N = 6;
// Function call
findAandB(N);
}
}
// This code is contributed by Rajput-Ji
Python3
# Python3 program for the above approach
# Function to find two numbers with
# difference and division both as N
def findAandB(N):
# Condition if the answer
# is not possible
if (N == 1):
print("No")
return
# Calculate a and b
a = N * N / (N - 1)
b = a / N
# Print the values
print("a = ", a)
print("b = ", b)
# Driver Code
# Given N
N = 6
# Function call
findAandB(N)
# This code is contributed by sanjoy_62
C#
// C# program for the above approach
using System;
class GFG{
// Function to find two numbers with
// difference and division both as N
static void findAandB(double N)
{
// Condition if the answer
// is not possible
if (N == 1)
{
Console.Write("No");
return;
}
// Calculate a and b
double a = N * N / (N - 1);
double b = a / N;
// Print the values
Console.Write("a = " + a + "\n");
Console.Write("b = " + b + "\n");
}
// Driver Code
public static void Main(String[] args)
{
// Given N
double N = 6;
// Function call
findAandB(N);
}
}
// This code is contributed by amal kumar choubey
Javascript
输出:
a = 7.2
b = 1.2
时间复杂度: O(1)
辅助空间: O(1)