正则表达式不识别字符串C#

时间:2018-05-24 05:08:32

标签: c# regex string casting pattern-matching

我正在使用Regex Class。我想弄清楚,有多少常见的匹配字符串 有另一个字符串。

情况如下:

MainWindow.DetailBLL.Name = "Top Senders By Total Threat Messages"
String detailName = MainWindow.DetailBLL.Name;

摘自:

MainWindow = Window Class
DetailBLL = Class
Name = Variable

public String Name
{
    get { return _Name; }
    set { _Name = value; }
}

CharacterReplacement(openedFile) = "Incoming Mail Domains Top Senders By Total Threat Messages"
String fileName = CharacterReplacement(openedFile); 

摘自:

OpenFileDialog openedFile = new OpenFileDialog();

Incoming_Mail_Domains_Top_Senders_by_Graymail_Messages_RawData.csv

private String CharacterReplacement(OpenFileDialog file)
{
    String input = file.SafeFileName;
    String output = input.Replace("_", " ").Replace("RawData", " ").Replace("by",      "By").Replace(".csv", " ");

    //output: "Incoming Mail Domains Top Senders By Graymail Messages"
    return output;
}

此方法获取文件的名称(.csv文件的名称)并将其转换为可读的String,如图所示返回。

使用正则表达式类:

String source = detailName;

String searchPattern = fileName;

第一次尝试:没有工作

int count = Regex.Matches(searchPattern, source).Count;

或者没有工作

int count = Regex.Matches(fileName, detailName).Count;

if (count > 0)
{
    System.Windows.MessageBox.Show("Match!");
}

第二次尝试:没有工作

foreach (Match match in Regex.Matches(fileName, detailName))

或者没有工作

foreach (Match match in Regex.Matches(searchPattern, source))
{
    System.Windows.MessageBox.Show("Matches: " + counter++);
}

我注意到了一些事情,Regex并没有这样做。对变量没有认识:

String source = detailName;

String searchPattern = fileName;

仅在变量如下时才起作用:

String source = "Top Senders By Total Threat Messages";

String searchPattern = "Incoming Mail Domains Top Senders By Total Threat Messages";

但是,这对我来说不起作用,我需要它们作为隐式(非文字)字符串进行评估,而不是作为显式字符串(Literal), 导致变量每次都改变。

有一种方法可以帮到它吗?

1 个答案:

答案 0 :(得分:0)

嗯,首先 - 您可能不需要正则表达式(我仍然建议阅读有关正则表达式https://www.regular-expressions.info/)。

我猜你需要计算两个字符串中包含多少个单词。您的评论既没有问题,也包括两次或只是一次。

在这里您可以找到基本样本:

using System;
using System.Linq;

namespace SearchLinq
{
    class Program
    {
        static void Main(string[] args)
        {
            string source = "Top Senders By Total Threat Messages";
            string find = "Incoming Mail Domains Top Senders By Total Threat Messages";

            // first possible solution
            int result = 0;
            foreach (string word in find.Split(' '))
            {
                if (source.Contains(word))
                {
                    result++;
                }
            }
            Console.WriteLine(result);

            // second possible solution
            int result2 = find.Split(' ').Count(w => source.Contains(w));
            Console.WriteLine(result2);
        }
    }
}