我有一个包含以下命令的批处理文件:
cd C:\myfolder
NuGet Update -self
NuGet pack mypackage.nuspec
myfolder包含mypackage.nuspec和NuGet.exe。我尝试使用以下函数使用C#运行此命令:
private static int ExecuteCommand(string path)
{
ProcessStartInfo ProcessInfo;
Process Process;
ProcessInfo = new ProcessStartInfo(path);
ProcessInfo.CreateNoWindow = true;
ProcessInfo.UseShellExecute = false;
ProcessInfo.WorkingDirectory = new System.IO.FileInfo(path).DirectoryName;
ProcessInfo.EnvironmentVariables["EnableNuGetPackageRestore"] = "true";
// *** Redirect the output ***
ProcessInfo.RedirectStandardError = true;
ProcessInfo.RedirectStandardOutput = true;
Process = Process.Start(ProcessInfo);
Process.WaitForExit();
// *** Read the streams ***
string output = Process.StandardOutput.ReadToEnd();
string error = Process.StandardError.ReadToEnd();
int ExitCode = Process.ExitCode;
Process.Close();
return ExitCode;
}
但是,我的命令没有执行。是什么导致了这种行为,解决方案是什么?这些字符串可能会在将来使用,我会更新我的问题(只是为了防止小说:))。
这是该功能的最终版本:
private static ShellCommandReturn ExecuteCommand(string path)
{
ProcessStartInfo processInfo;
Process process;
processInfo = new ProcessStartInfo(path);
processInfo.CreateNoWindow = true;
processInfo.UseShellExecute = false;
processInfo.WorkingDirectory = new System.IO.FileInfo(path).DirectoryName;
processInfo.EnvironmentVariables["EnableNuGetPackageRestore"] = "true";
// *** Redirect the output ***
processInfo.RedirectStandardError = true;
processInfo.RedirectStandardOutput = true;
process = Process.Start(processInfo);
process.WaitForExit();
// *** Read the streams ***
string output = process.StandardOutput.ReadToEnd();
string error = process.StandardError.ReadToEnd();
int exitCode = process.ExitCode;
process.Close();
return new ShellCommandReturn { Error = error, ExitCode = exitCode, Output = output };
}
ShellCommandReturn是一个简单的自定义类,其中包含一些数据成员,其中存储了shell命令的错误,输出和退出代码。
感谢。
答案 0 :(得分:1)
编辑:经过一定程度的合作后:)
问题是这是在Web应用程序的上下文中执行的,该应用程序没有设置相同的环境变量。
显然设置:
startInfo.EnvironmentVariables["EnableNuGetPackageRestore"] = "true"
(使用下面我最终代码的命名)解决了这个问题。
旧答案(仍然值得一读)
看看这段代码:
ProcessInfo = new ProcessStartInfo(path);
ProcessInfo.CreateNoWindow = false;
ProcessInfo.UseShellExecute = true;
ProcessInfo.WorkingDirectory = new System.IO.FileInfo(path).DirectoryName;
Process = Process.Start(path);
您正在创建ProcessStartInfo
,但之后完全忽略它。你应该将它传递给Process.Start
。您还应该重命名变量。传统上,局部变量以C#中的小写字母开头。此外,在可能的情况下,首次使用初始化变量是个好主意。哦,并导入名称空间,因此您的代码中没有完全限定名称,例如System.IO.FileInfo
。最后,对象初始值设定项对于像ProcessStartInfo
这样的类很有用:
var startInfo = new ProcessStartInfo(path) {
CreateNoWindow = false,
UseShellExecute = true,
WorkingDirectory = new FileInfo(path).DirectoryName;
};
var process = Process.Start(startInfo);