Plant Growth Calculation 001
Coding Problem Keys
Plant Growth Calculation 001
Problem Statement
In a matrix containing R rows and C columns, various plants are planted. The growth of a given plant in a calendar month depends on it's current height at the beginning of the month. If the current height is a prime number, the height by which the plant grows in that month is equal to the current height minus previous prime number (If there is no previous prime number consider the previous prime number as zero). If the current height is not a prime number then the height by which the plant grows in that month is equal to the sum of unit digits of the adjacent plants height at the beginning of the month (If there is no adjacent plant to left or right consider the value as zero). Given the current height of the plants at the beginning of first month, print the height of the plants after N months.
Boundary Condition(s)
1 <= R, C <= 999
1 <= N <= 100
1 <= Initial height of the plants <= 100
Input Format
The first line contains R and C separated by a space.
Next R lines contains C values representing the height of the plants (with the values separated by a space).
Last line contains N.
Output Format
R lines containing C values denoting the height of the plants after N months (with the values separated by a space).
Example Input/Output 1
Input
3 3
1 2 4
6 1 11
5 7 12
2
Output
4 13 10
9 20 23
9 25 21
Explanation
After the 1st month, the height of the plants will be
3 4 6
7 8 15
7 9 19
After 2nd month, the height of the plants will be
4 13 10
9 20 23
9 25 21
Note: Max Execution Time Limit: 5000 millisecs
Solution
Programming Language: Python 3 Language
def isprime(x):
if(x<2):
return 0
for i in range(2,int(x**0.5)+1):
if(x%i==0):
return 0
return 1
def prevprime(x):
x-=1
if(x<2):
return 0
for i in range(x,1,-1):
if(isprime(i)):
return i
return 0
r,c=map(int,input().strip().split())
l=[[0]+list(map(int,input().strip().split()))+[0] for i in range(r)]
d=int(input())
for t in range(d):
x=[a[:] for a in l]
for i in range(r):
for j in range(1,c+1):
if(isprime(x[i][j])):
x[i][j]+=x[i][j]-prevprime(x[i][j])
else:
x[i][j]+=l[i][j-1]%10+l[i][j+1]%10
l=[a[:] for a in x]
for x in l:
print(*x[1:-1])
# Published By PKJCODERS
(Note: Incase If the code doesn't Pass the output kindly comment us with your feedback to help us improvise.)
Comments