Grupo
Conceptos básicos control de flujo en C#
Objectivo
El objetivo de este ejercicio es escribir un programa en C# para solicitar al usuario dos números y determinar si ambos son negativos, solo uno es negativo o ninguno es negativo.
Ejemplo de ejercicio en C#
Mostrar código C#
// First and Last Name: John Doe
using System;
namespace CheckNumbersNegativity
{
class Program
{
// Main method to execute the program
static void Main(string[] args)
{
// Declare variables to store the two numbers
int number1, number2;
// Prompt the user to enter the first number
Console.Write("Enter the first number: ");
number1 = int.Parse(Console.ReadLine()); // Read and parse the user's input
// Prompt the user to enter the second number
Console.Write("Enter the second number: ");
number2 = int.Parse(Console.ReadLine()); // Read and parse the user's input
// Check if both numbers are negative
if (number1 < 0 && number2 < 0)
{
Console.WriteLine("Both numbers are negative.");
}
// Check if only the first number is negative
else if (number1 < 0 && number2 >= 0)
{
Console.WriteLine("Only the first number is negative.");
}
// Check if only the second number is negative
else if (number1 >= 0 && number2 < 0)
{
Console.WriteLine("Only the second number is negative.");
}
// If neither number is negative
else
{
Console.WriteLine("Neither number is negative.");
}
}
}
}
Output
//Case 1:
Enter the first number: -5
Enter the second number: -8
Both numbers are negative.
//Case 2:
Enter the first number: -5
Enter the second number: 3
Only the first number is negative.
//Case 3:
Enter the first number: 5
Enter the second number: -3
Only the second number is negative.
//Case 4:
Enter the first number: 5
Enter the second number: 3
Neither number is negative.
Código de ejemplo copiado
Comparte este ejercicio de C#