2010-11-04 91 views
0

說我有這個名單(未知分隔符):RegEx - 我應該使用Capture還是Group?

ABC-12345, DEF-34567; WER-12312 \n ERT-23423 

我知道正則表達式馬赫我需要的是:A-ZÆØÅ] {3} - \ d {5}。但是,如何使用.net匹配類的組或捕獲?

這是我第一次嘗試:

Public Function ParseSites(ByVal txt As String) As List(Of String) 
    Const SiteIdRegEx = "([A-ZÆØÅ]{3}-\d{5})" 
    Dim list As New List(Of String) 
    Dim result As Match = Regex.Match(txt, SiteIdRegEx) 
    For Each item As Capture In result.Captures 
     If (Not String.IsNullOrEmpty(item.Value)) Then 
      list.Add(item.Value) 
     End If 
    Next 
    Return list 
End Function 

我想要回我的比賽名單。有任何想法嗎?

Larsi

回答

2

我想這你想要做什麼(C#,但VB將是相似的):

using System; 
using System.Text.RegularExpressions; 

public class Test 
{ 
    static void Main() 
    { 
     Regex regex = new Regex(@"[A-ZÆØÅ]{3}-\d{5}"); 
     string text = "ABC-12345, DEF-34567; WER-12312 \n ERT-23423"; 

     foreach (Match match in regex.Matches(text)) 
     { 
      Console.WriteLine("Found {0}", match.Value); 
     } 
    } 
} 

注意使用Regex.Matches代替Regex.Match,找到所有比賽。

下面是使用LINQ這使他們成爲List<string>值:

using System; 
using System.Collections.Generic; 
using System.Linq; 
using System.Text.RegularExpressions; 

public class Test 
{ 
    static void Main() 
    { 
     Regex regex = new Regex(@"[A-ZÆØÅ]{3}-\d{5}"); 
     string text = "ABC-12345, DEF-34567; WER-12312 \n ERT-23423"; 
     List<string> values = regex.Matches(text) 
            .Cast<Match>() 
            .Select(x => x.Value) 
            .ToList(); 

     foreach (string value in values) 
     { 
      Console.WriteLine("Found {0}", value); 
     } 
    } 
} 
+0

Ahhh ..有一個MatchES功能。謝謝 – Larsi 2010-11-04 11:09:49

0

這個怎麼樣?

Dim AllMatchResults As MatchCollection 
Dim RegexObj As New Regex("[A-ZÆØÅ]{3}-\d{5}") 
AllMatchResults = RegexObj.Matches(SubjectString) 
If AllMatchResults.Count > 0 Then 
    ' Access individual matches using AllMatchResults.Item[] 
Else 
    ' Match attempt failed 
End If 
+0

感謝您提供sln。 – Larsi 2010-11-04 11:11:00

相關問題