使用正则表达式解析'ipconfig / all'的输出时遇到了一些麻烦。 目前我正在使用RegexBuddy进行测试,但我想在C#.NET中使用正则表达式。
我的输出是:
Ethernet adapter Yes:
Connection-specific DNS Suffix . :
Description . . . . . . . . . . . : MAC Bridge Miniport
Physical Address. . . . . . . . . : 02-1F-29-00-85-C9
DHCP Enabled. . . . . . . . . . . : No
Autoconfiguration Enabled . . . . : Yes
Link-local IPv6 Address . . . . . : fe80::f980:c9c3:a574:37a%24(Preferred)
Link-local IPv6 Address . . . . . : fe80::f980:c9c3:a574:37a7%24(Preferred)
Link-local IPv6 Address . . . . . : fe80::f980:c9c3:a574:37a8%24(Preferred)
IPv4 Address. . . . . . . . . . . : 10.0.0.1(Preferred)
Subnet Mask . . . . . . . . . . . : 255.255.0.0
IPv4 Address. . . . . . . . . . . : 172.16.0.1(Preferred)
Subnet Mask . . . . . . . . . . . : 255.255.255.0
Default Gateway . . . . . . . . . : 172.16.0.254
DHCPv6 IAID . . . . . . . . . . . : 520228888
DHCPv6 Client DUID. . . . . . . . : 00-01-00-01-17-1C-CC-CF-00-1F-29-00-85-C9
DNS Servers . . . . . . . . . . . : 192.162.100.15
192.162.100.16
NetBIOS over Tcpip. . . . . . . . : Enabled
到目前为止我写的正则表达式是:
([ -~]+):.+(?:Description\s)(?:\.|\s)+:\s([ -~]+).+(?:Physical Address)(?:\.|\s)+:\s([ -~]+).+(?:DHCP Enabled)(?:\.|\s)+:\s([ -~]+).+(?:(?:Link-local IPv6 Address)(?:\.|\s)+:\s([ -~]+).+Preferred.+)+
问题是我希望将所有有用的字段捕获为组,以便在C#中轻松获取它们,并且出于某种原因 - 当我捕获多个“链接本地IPv6地址”字段时,它停止工作。
我会感激任何帮助, 感谢。
编辑: 另一个问题是我从远程计算机接收到ipconfig数据(那里有一个我无法控制的非托管程序) - 因此我无法使用WMI或类似的东西以另一种方式获取ipconfig信息。
答案 0 :(得分:10)
但我想在C#.NET中使用正则表达式。
为何选择正则表达式?相信我,你不想使用正则表达式。一位智者曾经说过:
有些人在面对问题时会想'我知道,我会使用正则表达式'。现在他们有两个问题。
现在让我说出你的两个问题:
实际上,您可以直接使用WMI检索此信息,从而解决原始问题,从不考虑再次使用正则表达式:
using (var mc = new ManagementClass("Win32_NetworkAdapterConfiguration"))
using (var instances = mc.GetInstances())
{
foreach (ManagementObject instance in instances)
{
if (!(bool)instance["ipEnabled"])
{
continue;
}
Console.WriteLine("{0}, {1}, {2}", instance["Caption"], instance["ServiceName"], instance["MACAddress"]);
string[] ipAddresses = (string[])instance["IPAddress"];
string[] subnets = (string[])instance["IPSubnet"];
string[] gateways = (string[])instance["DefaultIPGateway"];
string domains = (string)instance["DNSDomain"];
string description = (string)instance["Description"];
bool dhcp = (bool)instance["DHCPEnabled"];
string[] dnses = (string[])instance["DNSServerSearchOrder"];
}
}
除此之外,您还可以使用Mgmtclassgen.exe
实用程序为这些WMI类创建强类型包装器,使您的代码更安全,并且您将能够摆脱魔术字符串。
答案 1 :(得分:3)
为什么要使用正则表达式?您的输入采用简单的键值格式。使用
的内容foreach (var line in lines)
{
var index = line.IndexOf (':') ;
if (index <= 0) continue ; // skip empty lines
var key = line.Substring (0, index).TrimEnd (' ', '.') ;
var value = line.Substring (index + 1).Replace ("(Preferred)", "").Trim () ;
}
答案 2 :(得分:0)