如何使用 EF Core 2.1 从与模式匹配的数据库中查找最大值



我正在使用实体框架核心 2.1 在 SQL 中存储一个名为"设备"的表。该表有一个名为"标签"的列。我有一个名为 Equipment 的类,其中标签作为字符串属性。

该 Label 属性有时可能具有用户输入的#[0-9][0-9][0-9][0-9][0-9]模式。

如何使用 EF Core 2.1 从 SQL 表中快速干净地从"设备"表中找到与上述模式匹配的最高"标签"值?

var myContext = CreateDbContext();
string resultIdentifier;
        // if there is any item in the equipment table
        if (myContext.equipment.Any()) {
            var regexStr = @"^[#]+(0-9{5})$";  //TODO: how to create this regex string correctly?
            // find for any matching pattern in label column using regex
            var listFound = myContext.equipment.Where(mp => Regex.IsMatch(mp.Label, regexStr)).ToList();
            if (listFound.Any()) {
                //TODO: how to find the maximum from the pattern?
            }
            else {
                _logger.Trace("No highest label is found because no matched pattern is found.");
                resultIdentifier = null;
            }
        }
        else {
            _logger.Trace("No highest label is found because no entry in equipment table.");
            resultIdentifier = null;
        }

1( 如何创建正确的正则表达式搜索字符串匹配模式#[0-9][0-9][0-9][0-9][0-9]

2(正则表达式是寻找最高标签模式的最佳方法吗?

3(如何使用EF Core方法从SQL表中查找最高的标签模式?

谢谢

使用正则表达式效率低下。EF 无法将 Regex.IsMatch 转换为相应的 SQL 表达式,因此它将首先提取整个设备表,然后将正则表达式应用于表中的每一行。

相反,SQL Server具有类似正则表达式的模式和通配符,可以在使用LIKE的查询中使用。

请考虑以下事项:

DECLARE @foo TABLE (
    label varchar(10) null
)
INSERT @foo
SELECT '#12345'  -- 'Lowest'
UNION 
SELECT '#99999'  -- 'Highest'
UNION 
SELECT '#999999' -- 'Too Many Characters
UNION
SELECT '#123'    -- 'Not Enough Characters' 
UNION 
SELECT '#abcde1' -- 'Not the Right Characters'
UNION
SELECT '12345'   -- 'No Leading #'
SELECT label 
  FROM @foo 
 WHERE label LIKE '[#][0-9][0-9][0-9][0-9][0-9]'

将返回与您的模式匹配的行(# 字符本身是通配符,因此它用括号括起来以指示它是文字(:

label
=====
#12345
#99999
SELECT TOP 1 label 
  FROM @foo 
 WHERE label LIKE '[#][0-9][0-9][0-9][0-9][0-9]'
 ORDER BY label desc

将按从高到低的顺序排列结果:

label
=====
#99999
#12345

添加 TOP 1 将返回第一行:

label
=====
#99999

有几种方法可以在 EF Core 中使用它,但最简单的方法是简单地使用原始 SQL 查询:

string sql = @"SELECT TOP 1 * 
  FROM @foo 
 WHERE label LIKE '[#][0-9][0-9][0-9][0-9][0-9]'
 ORDER BY label desc";
var foundRows = myContext.equipment
    .FromSql(sql)
    .ToList();
if (foundRows.FirstOrDefault() != null) 
{
   //...do something...
}

相关内容

  • 没有找到相关文章

最新更新