Home »
C# Tutorial
C# List<T>.Contains() Method with Example
C# List<T>.Contains() Method: In this tutorial, we will learn about the Contains() method of List collection with its usage, syntax, and an example using C# program.
By IncludeHelp Last updated : April 15, 2023
C# List<T>.Contains() Method
List<T>.Contains() method is used to check whether list contains a specified element or not.
Syntax
bool List<T>.Contains(T item);
Parameter(s)
It accepts an item of type T.
Return Value
It returns a Boolean value. true if list contains the item, false if list does not contain the item.
Example
int list declaration:
List<int> a = new List<int>();
Adding elements:
a.Add(10);
a.Add(20);
a.Add(30);
a.Add(40);
a.Add(50);
Checking an item:
a.Contains(10)
Output:
true
C# program to check an item in the list using List<T>.Contains() method
using System;
using System.Text;
using System.Collections.Generic;
namespace Test {
class Program {
static void printList(List <int> lst) {
//printing elements
foreach(int item in lst) {
Console.Write(item + " ");
}
Console.WriteLine();
}
static void Main(string[] args) {
//integer list
List <int> a = new List <int> ();
//adding elements
a.Add(10);
a.Add(20);
a.Add(30);
a.Add(40);
a.Add(50);
//print the list
Console.WriteLine("list elements...");
printList(a);
//finding elements
if (a.Contains(10))
Console.WriteLine("List contains 10");
else
Console.WriteLine("List does not contain 10");
if (a.Contains(60))
Console.WriteLine("List contains 60");
else
Console.WriteLine("List does not contain 60");
//hit ENTER to exit
Console.ReadLine();
}
}
}
Output
list elements...
10 20 30 40 50
List contains 10
List does not contain 60