如何检测数字的持续时间何时达到一位数字

时间:2019-01-11 07:54:11

标签: c# function while-loop persistence do-while

我正在尝试创建一个返回数字持久性的函数,我认为主要的问题是我在底部的do while循环,我不知道如何获取它来检测何时有一位数字。目的是使用嵌套函数进行迭代,并在每次迭代中增加计数,直到n等于一个数字为止。计数是数字持久性,这是您必须将num中的数字相乘直到达到一位数字的次数。我期望3,但我却得到2的值。

    class Program
{
    static void Main(string[] args)
    {
        Console.WriteLine(Persist.Persistence(39));
        Console.ReadLine();
    }
}

public class Persist
{
    public static int Persistence(long n)
    {
        int count = 0;
        if (n.ToString().Length == 1)
        {
            return count;
        }

        count = 1;
        //break up each number in the long individually.
        List<long> listofLong = new List<long>();
        while (n > 0)
        {
            listofLong.Add(n % 10);
            n = n / 10;
        }

        //First iteration of each number mult each other in list
        long calculate(List<long> seperatedNums)
        {
            long mult = 1;
            for (int i = 0; i < seperatedNums.Count; i++)
                mult *= seperatedNums[i];
            return (int)mult;
        }


        do
        {
            calculate(listofLong);
            count++;
        } while ((Math.Floor(Math.Log10(n)) + 1) > 1);

        return count;
    }
}

}

2 个答案:

答案 0 :(得分:3)

嗯,一位数字表示0..9范围;这就是为什么它应该是n > 9或类似条件的原因:

public static int Persistence(long n) {
  if (n < 0)
    throw new ArgumentOutOfRangeException(nameof(n));

  while (n > 9) {          // beyond a single digit
    long s = 1;

    for (; n > 0; n /= 10) // multiply all the digits
      s *= n % 10;

    n = s;
  }

  return (int)n;
}

测试:

// 2178 -> 2 * 7 * 1 * 8 = 112 -> 1 * 1 * 2 = 2
Console.Write(Persistence(2718));

如果我们想计算loops

public static int Persistence(long n) {
  if (n < 0)
    throw new ArgumentOutOfRangeException(nameof(n));

  int loops = 0;

  while (n > 9) {          // beyond a single digit
    long s = 1;

    for (; n > 0; n /= 10) // multiply all the digits
      s *= n % 10;

    n = s;
    loops += 1;
  }

  return loops;
}

测试:

// we have 3 steps here (39 -> 27 -> 14 -> 4): 
// 39 -> 3 * 9 = 27 -> 2 * 7 = 14 -> 1 * 4 = 4 
Console.Write(Persistence(39));

答案 1 :(得分:2)

这必须是一段时间内编写的最简单的代码

public static long Persistence(long n)
{
   var i = 0;
   for (var s = n; s > 9; i++)
      do s *= n % 10; while ((n = n / 10) > 0);
   return i;
}

或者对于更多可打印字符OCD 恶作剧

public static void Persistence(long n, ref long r)
{
   for (long s = n, i = 0; s > 9; r= ++i)
       do s *= n % 10; while ((n = n / 10) > 0);
}