注意:这个问题最初是在2009年提出的,当时powershell还不支持&&操作符。 2019年,根据Jay的回答,微软在Powershell 7中增加了对&&和||的支持。 https://stackoverflow.com/a/564092/234


最初的问题

&&是出了名的难在谷歌搜索上搜索,但我找到的最好的是这篇文章说要使用-。

不幸的是,它没有提供更多的信息,我不能找到我应该做什么-和(再次,一个出了名的很难搜索的东西)。

我试图使用它的上下文是“执行cmd1,如果成功,执行cmd2”,基本上是这样的:

csc /t:exe /out:a.exe SomeFile.cs && a.exe

如果你只是想在单行上运行多个命令,而不关心第一个命令是否失败,你可以使用;对于我的大多数目的来说,这是可以的。

例如:kill -n myapp;/ myapp.exe。


当前回答

只需安装PowerShell 7(点击这里,滚动并展开资产部分)。该版本实现了管道链操作符。

其他回答

如果你的命令在cmd.exe(类似python ./script.py,但不是PowerShell命令,如ii .exe)中可用。(这意味着通过Windows资源管理器打开当前目录)),您可以在PowerShell中运行cmd.exe。语法是这样的:

cmd /c "command1 && command2"

这里,&&由这个问题中描述的cmd语法提供。

我认为一个简单的if语句就可以做到这一点。一旦我看到mkelement0的响应,最后的退出状态存储在$?,我总结了以下几点:

# Set the first command to a variable
$a=somecommand

# Temporary variable to store exit status of the last command (since we can't write to "$?")
$test=$?

# Run the test
if ($test=$true) { 2nd-command }

所以对于OP的例子,它将是:

a=(csc /t:exe /out:a.exe SomeFile.cs); $test = $?; if ($test=$true) { a.exe }

我在PowerShell中尝试了以下命令序列:

第一个测试

PS C:\> $MyVar = "C:\MyTxt.txt"
PS C:\> ($MyVar -ne $null) -and (Get-Content $MyVar)
True

($MyVar -ne $null)返回true, (Get-Content $MyVar)也返回true。

第二次测试

PS C:\> $MyVar = $null
PS C:\> ($MyVar -ne $null) -and (Get-Content $MyVar)
False

($MyVar -ne $null)返回false,到目前为止,我必须假设(Get-Content $MyVar)也返回false。

第三个测试证明第二个条件甚至没有被分析。

PS C:\> ($MyVar -ne $null) -and (Get-Content "C:\MyTxt.txt")
False

($MyVar -ne $null)返回false并证明第二个条件(Get-Content "C:\MyTxt.txt")从未运行,通过在整个命令上返回false。

&&和||在要实现的东西列表上(仍然是),但没有出现在下一个最有用的东西中。原因是我们有-AND和-OR。

如果你认为这很重要,请在Connect上提出建议,我们会考虑V3。

在CMD中,“&&”表示“执行命令1,如果成功,执行命令2”。我用它来做以下事情:

build && run_tests

在PowerShell中,你能做的最接近的事情是:

(build) -and (run_tests)

它具有相同的逻辑,但是命令的输出文本丢失了。也许对你来说已经足够好了。

如果你在脚本中这样做,你可能会更好地分离语句,像这样:

build
if ($?) {
    run_tests
}

2019/11/27: &&操作符现已用于PowerShell 7预览5+:

PS > echo "Hello!" && echo "World!"
Hello!
World!