LINQ中不区分大小写LIKE条件(使用正则表达式)
如果搜索文本和列表中的项目是相同的大小写(小写/大写),我有以下代码可用。 如果有混合外壳,它不起作用。 我们如何使它不区分大小写的搜索。
var text = "c";
var myStrings = new List<string>() { "Aa", "ACB", "cc" };
var regEx = new System.Text.RegularExpressions.Regex(text);
var results = myStrings
.Where<string>(item => regEx.IsMatch(item))
.ToList<string>();
编辑:
我需要传递该字符串与不敏感的方法,我该怎么做...
public ActionResult GetItems(string text)
{
ContextObject contextObject = new ContextObject();
TransactionHistory transactionhistory = new TransactionHistory();
System.Text.RegularExpressions.Regex regEx = new System.Text.RegularExpressions.Regex(text, RegexOptions.IgnoreCase);
var items = transactionhistory.GetItems(contextObject, text);
return Json(items, JsonRequestBehavior.AllowGet);
}
尝试像这样声明你的正则表达式
Regex regEx = new Regex(text, RegexOptions.IgnoreCase);
你需要使用带RegexOptions.IgnoreCase的重载
例
RegexOptions options = RegexOptions.IgnoreCase | RegexOptions.Compiled;
System.Text.RegularExpressions.Regex regEx = new System.Text.RegularExpressions.Regex(text, options);
编辑:
RegexOptions options = RegexOptions.IgnoreCase | RegexOptions.Compiled;
var text = "c";
var myStrings = new List<string>() { "Aa", "ACB", "cc" };
var regEx = new System.Text.RegularExpressions.Regex(text, options);
var results = myStrings
.Where<string>(item => regEx.IsMatch(item))
.ToList<string>();
//you will have 2 items in results
foreach(string s in results)
{
GetItems(s);
}
基于你的代码,为什么使用正则表达式? 我只会对复杂的文本模式使用正则表达式。 在这种情况下,更容易使用string.IndexOf()
var text = "c";
var myStrings = new List<string>() { "Aa", "ACB", "cc" };
var results = myStrings
.Where(item => item.IndexOf(text, StringComparison.CurrentCultureIgnoreCase) >= 0)
.ToList();
我已经删除了where和toList中显式使用的字符串,因为它默认应用了。
链接地址: http://www.djcxy.com/p/21031.html上一篇: Case insensitive LIKE condition in LINQ (with Regular Expression)