1. Basics: Variables, Data Types, and Input/Output

Code Example: Hello World, Variables, and Input

using System;

class Program
{
    static void Main(string[] args)
    {
        // Print a greeting
        Console.WriteLine("Hello, C#!");

        // Declare variables
        string name = "Alice";
        int age = 25;
        double height = 5.6;

        // Input from the user
        Console.Write("Enter your name: ");
        string userName = Console.ReadLine();
        Console.WriteLine($"Hello, {userName}! Welcome to C#!");
    }
}

Key Concepts


2. Conditional Statements

Code Example: If/Else

using System;

class Program
{
    static void Main(string[] args)
    {
        Console.Write("Enter your score: ");
        int score = int.Parse(Console.ReadLine());

        if (score >= 90)
        {
            Console.WriteLine("Grade: A");
        }
        else if (score >= 75)
        {
            Console.WriteLine("Grade: B");
        }
        else if (score >= 60)
        {
            Console.WriteLine("Grade: C");
        }
        else
        {
            Console.WriteLine("Grade: F");
        }
    }
}

Key Concepts


3. Loops

Code Example: For and While

using System;

class Program
{
    static void Main(string[] args)
    {
        // For loop
        for (int i = 1; i <= 5; i++)
        {
            Console.WriteLine($"Count: {i}");
        }

        // While loop
        int counter = 5;
        while (counter > 0)
        {
            Console.WriteLine($"Countdown: {counter}");
            counter--;
        }
    }
}

Key Concepts


4. Functions

Code Example: Functions and Return Values

using System;

class Program
{
    static int Factorial(int n)
    {
        if (n == 0 || n == 1)
            return 1;
        return n * Factorial(n - 1);
    }

    static void Main(string[] args)
    {
        Console.WriteLine($"Factorial of 5 is {Factorial(5)}");
    }
}

Key Concepts


5. Lists and Dictionaries

Code Example: Lists

using System;
using System.Collections.Generic;

class Program
{
    static void Main(string[] args)
    {
        List<string> fruits = new List<string> { "Apple", "Banana", "Cherry" };
        fruits.Add("Orange");
        Console.WriteLine(fruits[1]);  // Access by index
        Console.WriteLine(fruits.Count);  // Length of the list
    }
}

Code Example: Dictionaries

using System;
using System.Collections.Generic;

class Program
{
    static void Main(string[] args)
    {
        Dictionary<string, int> ages = new Dictionary<string, int>
        {
            { "Alice", 25 },
            { "Bob", 30 }
        };

        Console.WriteLine(ages["Alice"]);
        ages["Bob"] = 31;  // Update a value
        Console.WriteLine(ages["Bob"]);
    }
}

Key Concepts


6. Classes and OOP

Code Example: Object-Oriented Programming

using System;

class Dog
{
    public string Name { get; set; }
    public int Age { get; set; }

    public Dog(string name, int age)
    {
        Name = name;
        Age = age;
    }

    public string Bark()
    {
        return $"{Name} says Woof!";
    }
}

class Program
{
    static void Main(string[] args)
    {
        Dog myDog = new Dog("Buddy", 3);
        Console.WriteLine(myDog.Bark());
    }
}

Key Concepts


7. File Handling

Code Example: Read/Write Files

using System;
using System.IO;

class Program
{
    static void Main(string[] args)
    {
        // Write to a file
        File.WriteAllText("example.txt", "Hello, file handling!");

        // Read from a file
        string content = File.ReadAllText("example.txt");
        Console.WriteLine(content);
    }
}

Key Concepts


8. Error Handling

Code Example: Try/Except

using System;

class Program
{
    static void Main(string[] args)
    {
        try
        {
            Console.Write("Enter a number: ");
            int number = int.Parse(Console.ReadLine());
            Console.WriteLine($"Square: {number * number}");
        }
        catch (FormatException)
        {
            Console.WriteLine("That's not a valid number!");
        }
    }
}

Key Concepts


9. Using LINQ (Advanced Querying)

Code Example: LINQ on Lists

using System;
using System.Collections.Generic;
using System.Linq;

class Program
{
    static void Main(string[] args)
    {
        List<int> numbers = new List<int> { 1, 2, 3, 4, 5, 6 };
        var evenNumbers = numbers.Where(n => n % 2 == 0).ToList();

        Console.WriteLine(string.Join(", ", evenNumbers));  // Output: 2, 4, 6
    }
}

Key Concepts


10. Advanced Topics

Delegates

using System;

class Program
{
    delegate int Operation(int x, int y);

    static int Add(int x, int y) => x + y;
    static int Multiply(int x, int y) => x * y;

    static void Main(string[] args)
    {
        Operation op = Add;
        Console.WriteLine(op(3, 4));  // Output: 7

        op = Multiply;
        Console.WriteLine(op(3, 4));  // Output: 12
    }
}

Async/Await

using System;
using System.Threading.Tasks;

class Program
{
    static async Task Main(string[] args)
    {
        await Task.Delay(1000);
        Console.WriteLine("Hello, async world!");
    }
}

11. Generics

Code Example: Generic Classes and Methods

using System;
using System.Collections.Generic;

class GenericBox<T>
{
    public T Value { get; set; }

    public GenericBox(T value)
    {
        Value = value;
    }

    public void Display()
    {
        Console.WriteLine($"Value: {Value}");
    }
}

class Program
{
    static void Main(string[] args)
    {
        GenericBox<int> intBox = new GenericBox<int>(123);
        GenericBox<string> stringBox = new GenericBox<string>("Hello");

        intBox.Display(); // Output: Value: 123
        stringBox.Display(); // Output: Value: Hello
    }
}

Key Concepts


12. Events and Delegates

Code Example: Custom Event Handling

using System;

class Alarm
{
    public delegate void AlarmTriggeredEventHandler();
    public event AlarmTriggeredEventHandler AlarmTriggered;

    public void Trigger()
    {
        Console.WriteLine("Alarm Triggered!");
        AlarmTriggered?.Invoke();
    }
}

class Program
{
    static void Main(string[] args)
    {
        Alarm alarm = new Alarm();
        alarm.AlarmTriggered += () => Console.WriteLine("Take action!");

        alarm.Trigger(); // Output: Alarm Triggered! Take action!
    }
}

Key Concepts


13. Extension Methods

Code Example: Adding New Methods

using System;

static class StringExtensions
{
    public static string Reverse(this string str)
    {
        char[] charArray = str.ToCharArray();
        Array.Reverse(charArray);
        return new string(charArray);
    }
}

class Program
{
    static void Main(string[] args)
    {
        string message = "Hello, World!";
        Console.WriteLine(message.Reverse()); // Output: !dlroW ,olleH
    }
}

Key Concepts


14. Reflection

Code Example: Inspecting Metadata

using System;
using System.Reflection;

class Program
{
    static void Main(string[] args)
    {
        Type type = typeof(string);
        Console.WriteLine($"Type: {type.FullName}");

        MethodInfo[] methods = type.GetMethods();
        foreach (var method in methods)
        {
            Console.WriteLine(method.Name);
        }
    }
}

Key Concepts


15. Threading

Code Example: Multi-threading

using System;
using System.Threading;

class Program
{
    static void PrintNumbers()
    {
        for (int i = 1; i <= 5; i++)
        {
            Console.WriteLine($"Number: {i}");
            Thread.Sleep(500); // Simulate work
        }
    }

    static void Main(string[] args)
    {
        Thread thread = new Thread(PrintNumbers);
        thread.Start();
        Console.WriteLine("Main thread continues...");
    }
}

Key Concepts


16. Task Parallel Library (TPL)

Code Example: Parallel Programming

using System;
using System.Threading.Tasks;

class Program
{
    static async Task Main(string[] args)
    {
        Task task1 = Task.Run(() => Console.WriteLine("Task 1"));
        Task task2 = Task.Run(() => Console.WriteLine("Task 2"));

        await Task.WhenAll(task1, task2);
    }
}

Key Concepts


17. LINQ: Advanced Operations

Code Example: Grouping and Sorting

using System;
using System.Collections.Generic;
using System.Linq;

class Program
{
    static void Main(string[] args)
    {
        List<string> fruits = new List<string> { "Apple", "Banana", "Cherry", "Apple" };

        var groupedFruits = fruits.GroupBy(f => f).OrderBy(g => g.Key);

        foreach (var group in groupedFruits)
        {
            Console.WriteLine($"{group.Key}: {group.Count()}");
        }
    }
}

Key Concepts


18. Dependency Injection

Code Example: Constructor Injection

using System;

interface ILogger
{
    void Log(string message);
}

class ConsoleLogger : ILogger
{
    public void Log(string message) => Console.WriteLine(message);
}

class Application
{
    private readonly ILogger _logger;

    public Application(ILogger logger)
    {
        _logger = logger;
    }

    public void Run() => _logger.Log("Application is running.");
}

class Program
{
    static void Main(string[] args)
    {
        ILogger logger = new ConsoleLogger();
        Application app = new Application(logger);
        app.Run(); // Output: Application is running.
    }
}

Key Concepts


19. Design Patterns

Code Example: Singleton

using System;

class Singleton
{
    private static Singleton _instance;

    private Singleton() { }

    public static Singleton Instance => _instance ??= new Singleton();
}

class Program
{
    static void Main(string[] args)
    {
        Singleton s1 = Singleton.Instance;
        Singleton s2 = Singleton.Instance;
        Console.WriteLine(s1 == s2); // Output: True
    }
}

Key Concepts


20. Unit Testing

Code Example: Using NUnit

using NUnit.Framework;

[TestFixture]
public class CalculatorTests
{
    [Test]
    public void Add_AddsTwoNumbers_ReturnsSum()
    {
        int result = Calculator.Add(2, 3);
        Assert.AreEqual(5, result);
    }
}

public static class Calculator
{
    public static int Add(int x, int y) => x + y;
}

Key Concepts


21. Asynchronous Programming

Code Example: Async/Await with File I/O

using System;
using System.IO;
using System.Threading.Tasks;

class Program
{
    static async Task Main(string[] args)
    {
        string content = "Hello, async file handling!";
        await File.WriteAllTextAsync("example.txt", content);

        string result = await File.ReadAllTextAsync("example.txt");
        Console.WriteLine(result);
    }
}

Key Concepts


22. C# Best Practices

  1. Use var wisely: For readability, avoid overuse.
  2. Error handling: Always handle exceptions with try/catch.
  3. Naming conventions: Use PascalCase for methods/classes and camelCase for variables.
  4. Immutable types: Use readonly and const where applicable.
  5. Avoid magic numbers: Use named constants.

Resources

  1. C# Documentation (Microsoft)
  2. C# Programming Guide
  3. NUnit Documentation