You could use the String.IndexOf
Method and pass StringComparison.OrdinalIgnoreCase
as the type of search to use:
string title = "STRING"; bool contains = title.IndexOf("string", StringComparison.OrdinalIgnoreCase) >= 0;
Even better is defining a new extension method for string:
public static class StringExtensions { public static bool Contains(this string source, string toCheck, StringComparison comp) { return source?.IndexOf(toCheck, comp) >= 0; } }
Note, that null propagation ?.
is available since C# 6.0 (VS 2015), for older versions use
if (source == null) return false; return source.IndexOf(toCheck, comp) >= 0;
USAGE:
string title = "STRING"; bool contains = title.Contains("string", StringComparison.OrdinalIgnoreCase);