我正在使用这个C#代码来使用Power
Shell读取我安装的程序.
我需要它通过PowerShell读取x64和x86注册表,我是怎么做到的?
有没有办法重定向?或者可以在x64中运行PowerShell然后再运行x86?
public void conf() {
process p1 = new Process();
ProcessStartInfo psi1 = new ProcessStartInfo("powershell", "Get-ItemProperty HKLM:\\Software\\Microsoft\\Windows\\CurrentVersion\\Uninstall\\* | Select-Object DisplayName");
psi1.RedirectStandardOutput = true;
psi1.CreateNoWindow = true;
p1.StartInfo = psi1;
p1.StartInfo.UseShellExecute = false;
p1.StartInfo.Verb = "runas";
p1.Start();
string output = p1.StandardOutput.ReadToEnd();
Console.WriteLine(output);
p1.WaitForExit(400);
}
最佳答案 如果您的进程在x64中运行(或者它是在x86 OS上运行的x86进程),则应该这样做.
bool is64 = IntPtr.Size == 8;
var cmdline = "Get-ItemProperty HKLM:\\Software\\Microsoft\\Windows\\CurrentVersion\\Uninstall\\* "
+ (is64 ? ",HKLM:\\Software\\Wow6432Node\\Microsoft\\Windows\\CurrentVersion\\Uninstall\\*" : "")
+ " | Select-Object DisplayName";
ProcessStartInfo psi1 = new ProcessStartInfo("powershell", cmdline);
如果进程是在x64操作系统上运行的32位进程,这将不起作用,但对于.NET,只要您不选择“prefer 32-bit”,它就可以与AnyCPU一起使用
更新
如果您的目的只是获取显示名称,则可能存在“显示名称重复”(在两个注册表项中)…因此您可以从输出中删除它们.这将删除重复项并排序:
var result = new StringBuilder();
var resultArr = output.Split(new string[] { Environment.NewLine }, StringSplitOptions.RemoveEmptyEntries).Distinct().ToArray();
Array.Sort(resultArr, StringComparer.InvariantCulture);
foreach (string s in resultArr)
result.AppendLine(s);
output = result.ToString();
更新2
如果您不想使用进程和捕获输出进行修改,可以安装System.Management.Automation nuget包并直接使用powershell.
整个等效程序将是:
PowerShell ps = PowerShell.Create();
ps.AddCommand("Get-ItemProperty");
var parm = new List<string> {
@"HKLM:\Software\Microsoft\Windows\CurrentVersion\Uninstall\*"
};
if(IntPtr.Size == 8)
parm.Add(@"HKLM:\Software\Wow6432Node\Microsoft\Windows\CurrentVersion\Uninstall\*");
var pso = ps.Invoke(parm);
var result = new StringBuilder();
foreach (var ob in pso)
{
if(ob.Members["DisplayName"] != null)
result.AppendLine(ob.Members["DisplayName"].Value.ToString());
}
Console.WriteLine(result.ToString());
这应该比调用过程更好:-)