mirror of
https://github.com/TheAlgorithms/Java.git
synced 2025-07-23 04:20:16 +08:00

enable style InvalidJavadocPosition Co-authored-by: Samuel Facchinello <samuel.facchinello@piksel.com>
26 lines
904 B
Java
26 lines
904 B
Java
package com.thealgorithms.dynamicprogramming;
|
|
|
|
/**
|
|
* @author <a href="https://github.com/siddhant2002">Siddhant Swarup Mallick</a>
|
|
* Program description - To find the New Man Shanks Prime.
|
|
* <a href="https://en.wikipedia.org/wiki/Newman%E2%80%93Shanks%E2%80%93Williams_prime">Wikipedia</a>
|
|
*/
|
|
public final class NewManShanksPrime {
|
|
private NewManShanksPrime() {
|
|
}
|
|
|
|
public static boolean nthManShanksPrime(int n, int expectedAnswer) {
|
|
int[] a = new int[n + 1];
|
|
// array of n+1 size is initialized
|
|
a[0] = 1;
|
|
a[1] = 1;
|
|
// The 0th and 1st index position values are fixed. They are initialized as 1
|
|
for (int i = 2; i <= n; i++) {
|
|
a[i] = 2 * a[i - 1] + a[i - 2];
|
|
}
|
|
// The loop is continued till n
|
|
return a[n] == expectedAnswer;
|
|
// returns true if calculated answer matches with expected answer
|
|
}
|
|
}
|