.NET 2
string[] myStrings = GetMyStrings();
string test = \"testValue\";
How can I verify if myStrings
contains test
Here's a .NET 2.0 compliant approach. Using Array.Find
will return null if the value isn't found.
C# Approach
string[] myStrings = { "A", "B", "testValue" };
string test = "testValue";
string result = Array.Find(myStrings, delegate(string s) { return s == test; });
Console.WriteLine("Result: " + result);
If you need a case insensitive match use s.Equals(test, StringComparison.InvariantCultureIgnoreCase)
.
EDIT: with VB.NET 2.0 more effort is required since it doesn't support anonymous delegates. Instead you would need to add a Function
and use AddressOf
to point to it. You would need to set the testValue
as a member or property since it will not be passed in to the predicate method. In the following example I use Array.Exists
.
VB.NET Approach
' field or property '
Dim test As String = "testValue"
Sub Main
Dim myStrings As String() = { "A", "B", "testValue" }
Dim result As Boolean = Array.Exists(myStrings, AddressOf ContainsValue)
Console.WriteLine(result)
End Sub
' Predicate method '
Private Function ContainsValue(s As String) As Boolean
Return s = test
End Function