📌  相关文章
📜  将 2N 的数字之和减少为一位数得到的数

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

给定一个正整数N ,任务是找到将2 N的数字递归相加直到剩下一个数字后得到的单个数字。

例子:

朴素的方法:解决问题最简单的方法是计算2 N的值,然后继续计算数字的数字之和,直到总和减少到一位。

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

高效的方法:上述方法可以基于以下观察进行优化:

在对N 的不同值执行操作后,可以观察到该值在每 6 个数字后以如下方式重复:

  • 如果N % 6 = 0,则单位数总和将等于 1。
  • 如果N % 6 = 1,则单位数总和将等于 2。
  • 如果N % 6 = 2,那么一位数总和将等于 4。
  • 如果N % 6 = 3,那么一位数总和将等于 8。
  • 如果N % 6 = 4,那么一位数总和将等于 7。
  • 如果N % 6 = 5,那么个位数总和将等于 5。

请按照以下步骤解决问题:

  • 如果N % 60则打印1
  • 否则,如果N % 61则打印2
  • 否则,如果N % 62则打印7
  • 否则,如果N % 63则打印8
  • 否则,如果N % 64则打印7
  • 否则,如果N % 65则打印5

下面是上述方法的实现:

C++
// C++ program for the above approach
#include 
using namespace std;
 
// Function to find the number obtained
// by reducing sum of digits of 2 ^ N
// into a single digit
int findNumber(int N)
{
    // Stores answers for
    // different values of N
    int ans[6] = { 1, 2, 4, 8, 7, 5 };
 
    return ans[N % 6];
}
 
// Driver Code
int main()
{
    int N = 6;
    cout << findNumber(N) << endl;
 
    return 0;
}


Java
// Java program for the above approach
import java.util.*;
 
class GFG{
  
// Function to find the number obtained
// by reducing sum of digits of 2 ^ N
// into a single digit
static int findNumber(int N)
{
     
    // Stores answers for
    // different values of N
    int []ans = {1, 2, 4, 8, 7, 5};
 
    return ans[N % 6];
}
 
// Driver Code
public static void main(String args[])
{
    int N = 6;
     
    System.out.println(findNumber(N));
}
}
 
// This code is contributed by ipg2016107


Python3
# Python3 program for the above approach
 
# Function to find the number obtained
# by reducing sum of digits of 2 ^ N
# into a single digit
def findNumber(N):
 
    # Stores answers for
    # different values of N
    ans = [ 1, 2, 4, 8, 7, 5 ]
 
    return ans[N % 6]
 
# Driver Code
if __name__ == "__main__":
  
    N = 6
     
    print (findNumber(N))
 
# This code is contributed by ukasp


C#
// C# program for the above approach
using System;
 
class GFG{
  
// Function to find the number obtained
// by reducing sum of digits of 2 ^ N
// into a single digit
static int findNumber(int N)
{
     
    // Stores answers for
    // different values of N
    int []ans = {1, 2, 4, 8, 7, 5};
 
    return ans[N % 6];
}
 
// Driver Code
public static void Main()
{
    int N = 6;
     
    Console.WriteLine(findNumber(N));
}
}
 
// This code is contributed by mohit kumar 29


Javascript


输出:
1

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