我如何从netsh的标准输出中提取特定的字符串
本文关键字:提取 字符串 标准输出 netsh | 更新日期: 2023-09-27 18:08:36
我使用netsh
来检查保存的无线配置文件及其加密状态。我可以像这样捕获netsh
的输出:
private void wifiButton_Click(object sender, EventArgs e)
{
Process cmd = new Process();
cmd.StartInfo.FileName = "netsh.exe";
System.Threading.Thread.Sleep(50);
cmd.StartInfo.Arguments = "wlan show profiles";
cmd.StartInfo.UseShellExecute = false;
cmd.StartInfo.RedirectStandardOutput = true;
cmd.StartInfo.RedirectStandardError = true;
cmd.Start();
//* Read the output (or the error)
string output = cmd.StandardOutput.ReadToEnd();
textBox3.Text = output;
cmd.WaitForExit();
}
结果在文本框中返回,看起来像这样:
Profiles on interface Wi-Fi:
Group policy profiles (read only)
---------------------------------
<None>
User profiles
-------------
All User Profile : GuestFSN
All User Profile : CorporateWifi
All User Profile : ATT3122
我想拉出无线配置文件名称(GuestFSN, CorporateWifi, ATT3122等…)并将它们放入列表中。我如何在c#中做到这一点?
您正在寻找正则表达式。Regex允许您定义要在更大的字符串中查找的模式。这将允许您从从标准输出返回的字符串中提取字符串(网络名称)列表。
要匹配模式"All User Profile [whitespace]: [name]",您可以使用以下正则表达式模式:
All User Profile['s]+: (.*)
如果满足以下条件,则在此模式的较大字符串中找到匹配项:
- 出现字符串"All User Profile"
- 后接一个或多个空白字符-
['s]+
) - 后接冒号和空格
- 后接长度未定的字符串-
(.*)
(但以换行结束)
您可以使用Regex101之类的工具来测试这个正则表达式模式。
下面是您的场景的代码示例:var regex = new Regex(@"All User Profile['s]+: (.*)");
var resultList = new List<string>();
foreach (Match match in regex.Matches(output))
{
resultList.Add(match.Groups[1]);
}
使用foreach
循环,以便我们可以处理regex.Matches
的一个或多个结果,并将它们全部添加到结果列表中。
using System;
using System.Collections.Generic;
using System.Text.RegularExpressions;
public class Program
{
public static void Main()
{
// output would be set by earlier code
var output = @"Profiles on interface Wi-Fi:
Group policy profiles (read only)
---------------------------------
<None>
User profiles
-------------
All User Profile : GuestFSN
All User Profile : CorporateWifi
All User Profile : ATT3122";
var regex = new Regex(@"All User Profile['s]+: (.*)");
var resultList = new List<string>();
foreach (Match match in regex.Matches(output))
{
resultList.Add(match.Groups[1].ToString());
}
Console.WriteLine(string.Join(", ", resultList));
}
}