C#代表中的奇怪死循环

时间:2013-04-29 15:32:14

标签: c# delegates

我已经委托代理来处理一些HTML代码。但我只能匹配第一个匹配。但Match处理程序不会继续。它在第一场比赛中保持循环。谁能告诉我为什么?但是为什么我在委托之外的循环中移动匹配,一切都很好。

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Text.RegularExpressions;
using System.Web;
namespace migration
{
    class Program
    {
        static void Main(string[] args)
        {
            string input = "<a class=\"normal\" href=\"http://msdn.microsoft.com/\" title=\"Home\">Home</a><a class=\"active\" href=\"http://msdn.microsoft.com/library/default.aspx\" title=\"Library\">Library</a><a class=\"normal\" href=\"http://msdn.microsoft.com/bb188199\" title=\"Learn\">Learn</a><a class=\"normal\" href=\"http://code.msdn.microsoft.com/\" title=\"Samples\">Samples</a><a class=\"normal\" href=\"http://msdn.microsoft.com/aa570309\" title=\"Downloads\">Downloads</a><a class=\"normal\" href=\"http://msdn.microsoft.com/hh361695\" title=\"Support\">Support</a><a class=\"normal\" href=\"http://msdn.microsoft.com/aa497440\" title=\"Community\">Community</a><a class=\"normal\" href=\"http://social.msdn.microsoft.com/forums/en-us/categories\" title=\"Forums\">Forums</a>";


            HTMLStringWalkThrough(input, "<a.+?</a>", "", PrintTest);


        }
        public static string HTMLStringWalkThrough(string HTMLString, string pattern, string replacement, HTMLStringProcessDelegate p)
        {
            StringBuilder sb = new StringBuilder();
            Match m = Regex.Match(HTMLString, pattern);

            while (m.Success)
            {
                string temp = m.Value;
                p(temp, replacement);
                m.NextMatch();
            }
            return sb.ToString();
        }
        public delegate void HTMLStringProcessDelegate(string input, string replacement);
        static void PrintTest(string tag, string replacement)
        {
            Console.WriteLine(tag);
        }
    }
}
//output:
//<a class=\"normal\" href=\"http://msdn.microsoft.com/\" title=\"Home\">Home</a>
//<a class=\"normal\" href=\"http://msdn.microsoft.com/\" title=\"Home\">Home</a>
//<a class=\"normal\" href=\"http://msdn.microsoft.com/\" title=\"Home\">Home</a>
//<a class=\"normal\" href=\"http://msdn.microsoft.com/\" title=\"Home\">Home</a>
//<a class=\"normal\" href=\"http://msdn.microsoft.com/\" title=\"Home\">Home</a>
//<a class=\"normal\" href=\"http://msdn.microsoft.com/\" title=\"Home\">Home</a>
//<a class=\"normal\" href=\"http://msdn.microsoft.com/\" title=\"Home\">Home</a>
//.........

3 个答案:

答案 0 :(得分:4)

您需要为变量指定Match.NextMatch。它返回下一个匹配项,并且不会更改当前的Match

 m = m.NextMatch();

答案 1 :(得分:4)

NextMatch返回下一个匹配,但您根本不使用其返回值。改变这一点,你的代码应该有效:

m = m.NextMatch();

请参阅the documentation,特别是备注部分中的注意

  

此方法不会修改当前实例。相反,它返回一个新的Match对象,其中包含有关下一个匹配的信息。

答案 2 :(得分:1)

尝试将其更改为

        while (m.Success)
        {
            string temp = m.Value;
            p(temp, replacement);
            m = m.NextMatch();
        }
相关问题