EN
C# / .NET - check if List contains value
0 points
In this article, we would like to show you how to check if List contains value in C#.
Quick solution:
xxxxxxxxxx
1
List<int> list = new List<int> { 1, 2, 3 };
2
3
bool result = list.Contains(1);
4
5
Console.WriteLine(result); // True
In this example, we use Contains()
method to check if Lists contain specified items.
xxxxxxxxxx
1
using System;
2
using System.Collections;
3
using System.Collections.Generic;
4
5
public class Program
6
{
7
public static void Main()
8
{
9
List<int> numbers = new List<int> { 1, 2, 3 };
10
List<string> letters = new List<string> { "A", "B", "C" };
11
12
Console.WriteLine(numbers.Contains(1)); // True
13
Console.WriteLine(numbers.Contains(5)); // False
14
15
Console.WriteLine(letters.Contains("A")); // True
16
Console.WriteLine(letters.Contains("X")); // False
17
}
18
}
Output:
xxxxxxxxxx
1
True
2
False
3
True
4
False