Grupo
Conceptos básicos control de flujo en C#
Objectivo
Escriba un programa en C# que solicite al usuario dos números enteros y muestre su multiplicación, pero sin usar "*". Debe usar sumas consecutivas. (Pista: recuerde que 3 * 5 = 3 + 3 + 3 + 3 + 3 = 15)
Ejemplo de ejercicio en C#
Mostrar código C#
using System;
namespace ConsecutiveAdditionMultiplication
{
class Program
{
static void Main(string[] args)
{
// Prompt the user to enter the first integer number
Console.Write("Enter the first number: ");
int num1 = int.Parse(Console.ReadLine()); // Read the first integer from the user
// Prompt the user to enter the second integer number
Console.Write("Enter the second number: ");
int num2 = int.Parse(Console.ReadLine()); // Read the second integer from the user
// Initialize the result variable to store the multiplication result
int result = 0;
// Perform the multiplication using consecutive additions
// Add num1 to itself num2 times
for (int i = 0; i < Math.Abs(num2); i++)
{
result += num1; // Add num1 to result, num2 times
}
// If num2 is negative, make the result negative as well
if (num2 < 0)
{
result = -result; // Convert the result to negative if the second number was negative
}
// Display the result
Console.WriteLine($"{num1} * {num2} = {result}");
}
}
}
Output
//Example 1:
Enter the first number: 3
Enter the second number: 5
3 * 5 = 15
//Example 2:
Enter the first number: 7
Enter the second number: 4
7 * 4 = 28
//Example 3:
Enter the first number: 6
Enter the second number: -2
6 * -2 = -12
Código de ejemplo copiado
Comparte este ejercicio de C#