C# Function to Swap the Values of Two Integers Using Reference Parameters

In this C# program, we define a function named "Swap" that swaps the values of two integer variables. The function accepts two parameters by reference using the `ref` keyword, meaning any changes to the variables inside the function will directly modify the original values. This is useful when we want to exchange values between two variables. In the example provided, after calling `Swap(ref x, ref y)`, the values of `x` and `y` will be swapped, and the program will display "x=3, y=5".



Group

Functions in C#

Objective

1. Define a function named "Swap" that accepts two integer parameters by reference using the `ref` keyword.
2. Inside the function, swap the values of the two integers.
3. As the function is a "void" function, it does not return anything but modifies the values of the parameters directly.
4. In the Main method, declare two integer variables, assign values to them, and pass them to the "Swap" function using the `ref` keyword.
5. Display the swapped values using `Console.WriteLine`.

Write a C# function named "Swap" to swap the values of two integer numbers, which are passed by reference. An example of use might be:

int x=5, y=3;  

Swap(ref x, ref y);
Console.WriteLine("x={0}, y={1}", x, y);
(which should write "x=3, y=5")


public static void Main()

{
int x = 5, y = 3;
Swap(ref x, ref y); // Call the Swap function with x and y passed by reference
Console.WriteLine("x={0}, y={1}", x, y); // This will print "x=3, y=5"
}

Example C# Exercise

 Copy C# Code
using System;

class Program
{
    // Main method where the program execution begins
    public static void Main()
    {
        // Declare two integer variables x and y, initializing them with 5 and 3 respectively
        int x = 5, y = 3;
        
        // Call the Swap function with x and y passed by reference
        Swap(ref x, ref y);  // This will swap the values of x and y
        
        // Display the swapped values of x and y
        Console.WriteLine("x={0}, y={1}", x, y);  // This will print "x=3, y=5"
    }

    // Function to swap the values of two integer variables using reference parameters
    public static void Swap(ref int a, ref int b)
    {
        // Use a temporary variable to swap the values of a and b
        int temp = a;  // Store the value of a in a temporary variable
        a = b;  // Assign the value of b to a
        b = temp;  // Assign the value of the temporary variable (old value of a) to b
    }
}

 Output

x=3, y=5

Share this C# Exercise

More C# Practice Exercises of Functions in C#

Explore our set of C# Practice Exercises! Specifically designed for beginners, these exercises will help you develop a solid understanding of the basics of C#. From variables and data types to control structures and simple functions, each exercise is crafted to challenge you incrementally as you build confidence in coding in C#.