Given two numbers n and k, the task is to check whether the given number n can be made a perfect square after adding k to it.
Input: n = 10, k = 6
Output: YES
Explanation: , which is a perfect square of .
Input: n = 11, k = 8
Output: NO
Explanation: , which is a not perfect square.
n and k (n+k), and then find the square root for n+knum_sqrt*num_sqrt = n+kYES if it is a perfect square, otherwise print NOIn the following code snippet, we:
sqrt from module math to calculate square root.n and k with 10 and 6 respectively.k to n and store in num.num.It will print YES as , square root is , and satisfies the condition for perfect square as .
from math import sqrt#initialize N and KN = 10K = 6#add K to Nnum = N+K#calculate square rootnum_sqrt = int(sqrt(num))#check for perfect squareif(num_sqrt * num_sqrt == num):print("YES")else:print("NO")
The following code snippet also follows the same procedure as above except we changed the values for n and k.
It will print NO as , which is not a perfect square. If we calculate square root for , we get , which doesn’t satisfy the condition for perfect square. , not .
from math import sqrt#initialize N and KN = 11K = 8#add K to Nnum = N+K#calculate square rootnum_sqrt = int(sqrt(num))#check for perfect squareif(num_sqrt * num_sqrt == num):print("YES")else:print("NO")