📜  在模 N 下具有乘法倒数的最接近 N 的较小数字等于该数字

📅  最后修改于: 2021-10-26 06:41:21             🧑  作者: Mango

给定一个素数N ,任务是找到最接近的小于N 的数,使得模 N 下的数的模乘逆等于该数本身。

例子:

朴素的方法:解决这个问题的最简单的方法是遍历从 1 到 N 的所有自然数,并找到最大的数,使得模 N 下的数的模乘法逆等于该数本身。

时间复杂度: O(N * log N)
辅助空间: O(1)

高效的方法:为了优化上述方法,该想法基于以下观察:

因此,要解决问题,只需打印N – 1作为所需答案。

下面是上述方法的实现:

C++
// C++ program to implement
// the above approach
 
#include 
using namespace std;
 
// Function to find the nearest
// smaller number satisfying
// the condition
int clstNum(int N)
{
    return (N - 1);
}
 
// Driver Code
int main()
{
    int N = 11;
    cout << clstNum(N);
}


Java
// Java program to implement
// the above approach
import java.io.*;
 
class GFG{
 
// Function to find the nearest
// smaller number satisfying
// the condition
static int clstNum(int N){ return (N - 1); }
 
// Driver Code
public static void main(String[] args)
{
    int N = 11;
     
    System.out.println(clstNum(N));
}
}
 
// This code is contributed by akhilsaini


Python3
# Python3 program to implement
# the above approach
 
# Function to find the nearest
# smaller number satisfying
# the condition
def clstNum(N):
  return (N - 1)
 
# Driver Code
if __name__ == '__main__':
   
  N = 11
   
  print(clstNum(N))
     
# This code is contributed by akhilsaini


C#
// C# program to implement
// the above approach
using System;
 
class GFG{
 
// Function to find the nearest
// smaller number satisfying
// the condition
static int clstNum(int N){ return (N - 1); }
 
// Driver Code
public static void Main()
{
    int N = 11;
     
    Console.Write(clstNum(N));
}
}
 
// This code is contributed by akhilsaini


Javascript


输出:
10

时间复杂度: O(1)
辅助空间: O(1)