Произведение ненулевых цифр

Найдите произведение ненулевых цифр числа.

Входные данные

Одно натуральное число n (n ≤ 109).

Выходные данные

Вывести произведение ненулевых цифр числа n.

Алгоритм решения задачи

  • Разбиваем число на цифры;
  • Умножаем в цикле исключая цифры 0.

Решение

using System;
using System.Collections.Generic;

class Program
{
    static void Main(string[] args)
    {
        var n = Convert.ToInt32(Console.ReadLine());
        var ds = IntToDigits(n);

        int result = 0;

        foreach (var d in ds)
        {
            if (d != 0)
            {
                if (result == 0)
                {
                    result = d;
                }
                else
                {
                    result *= d;
                }
            }
        }

        Console.WriteLine(result);
    }

    static List<int> IntToDigits(int n)
    {
        n = Math.Abs(n);
        var digits = new List<int>();
        while (n > 0)
        {
            int digit = n % 10;
            n /= 10;
            digits.Add(digit);
        }

        return digits;
    }
}

Смотрите также: