C# String - Equals() Method



The C# String Equals() method is used to check whether two string objects have the same value or not. It compares string values, allowing for case-sensitive or case-insensitive options.

Syntax

Following is the syntax of the C# string Equals() method −

public static bool Equals (string? str1, string? str2);

Parameters

This method accepts the following parameters −

  • str1: The first string object to compare.
  • str2: The second string object to compare.

Return value

This method returns true if the value of str1 is same as the str2; otherwise, it returns false. If both str1 and str2 are null, the method returns true.

Example 1: Compare Two Strings

Following is the basic example of the Equals() method to check whether the both string is same or not −

using System;
class Program {
   static void Main() {
      string str1 = "Hello, tutorialspoint";
      string str2 = "Hello, tutorialspoint";
      bool res = string.Equals(str1, str2);
      Console.Write(res == true 
         ? "Both strings ar eequal, Yes" 
         : "Both strings are nor Ewual ");
   }
}

Output

Following is the output −

True

Example 2: Case Sensitive Comparison

Let us look another example of the Equals() method to check if the string object is case sensitive then this method retrun true or not −

using System;
class Program {
   static void Main() {
      string str1 = "Hello, tutorialspoint";
      string str2 = "hello, Tutorialspoint";
      bool res = string.Equals(str1, str2);
      
      Console.WriteLine("Both strings are same? " + res);
   }
}

Output

Following is the output −

Both strings are same? False

Example 3: Case Insensitive Comparison

In this example, we use the Equals() method to perform the case insensitive comparison −

using System;
class Program {
   static void Main() {
      string str1 = "Hello, world";
      string str2 = "hello, World";

      // Case-insensitive comparison
      bool result = str1.Equals(str2, StringComparison.OrdinalIgnoreCase);
      Console.WriteLine("Is both strings are equal? " + result);
   }
}

Output

Following is the output −

Is both strings are equal? True
csharp_strings.htm
Advertisements