If Statement in C Sharp
        by Dinesh[ Edit ] 2012-07-22 20:39:38 
         
        
        	If Statement in C#
One of the single most important statements in every programming language is the if statement. Being able to set up conditional blocks of code is a fundamental principal of writing software.
In C#, the if statement is very simple to use.he if statement needs a boolean result, that is, true or false. In some programming languages, several datatypes can be automatically converted into booleans, but in C#, specifically make the result boolean.
Example Program:
    using System;
    class IfSelect
    {
        public static void Main()
        {
            string myInput;
            int myInt; 
            Console.Write("Please enter a number: ");
            myInput = Console.ReadLine();
            myInt = Int32.Parse(myInput); 
            // Single Decision and Action with braces
            if (myInt > 0)
            {
                Console.WriteLine("Your number {0} is greater than zero.", myInt);
            } 
            // Single Decision and Action without brackets
            if (myInt < 0) 
                Console.WriteLine("Your number {0} is less than zero.", myInt); 
            // Either/Or Decision
            if (myInt != 0)
            {
                Console.WriteLine("Your number {0} is not equal to zero.", myInt);
            }
            else
           {
                Console.WriteLine("Your number {0} is equal to zero.", myInt);
            } 
            // Multiple Case Decision
            if (myInt < 0 || myInt == 0)
            {
                Console.WriteLine("Your number {0} is less than or equal to zero.", myInt);
            }
            else if (myInt > 0 && myInt <= 10)
            {
                Console.WriteLine("Your number {0} is in the range from 1 to 10.", myInt);
            }
            else if (myInt > 10 && myInt <= 20)
            {
                Console.WriteLine("Your number {0} is in the range from 11 to 20.", myInt);
            }
            else if (myInt > 20 && myInt <= 30)
            {
                Console.WriteLine("Your number {0} is in the range from 21 to 30.", myInt);
            }
            else
           {
                Console.WriteLine("Your number {0} is greater than 30.", myInt);
            }
        }
    }