Java使用函数调用Powershell脚本,而不将Write Host返回给Java



我正在使用Java调用powershell脚本。powershell脚本是用函数构建的,函数会将值写入控制台。我需要在java中捕获这些值。我的poweshell脚本如下

$TokenCSV="M:workPowershellTokenExtractedFromDB_Spec.csv"
$TokenXlPath="M:workPowershellTokenListconverted.xlsx"
$Switch="Token"
Write-Host "Inside ConvertCSVtoEXL2 calling fuc  :"
$x=ConverToExlFile $TokenCSV $TokenXlPath $Switch
###Function
function ConverToExlFile
{
Param ([string]$TokenCSV,
[string]$TokenXlPath,
[string]$Switch)
Write-Output "Inside ConverToExlFile Function  :"| Out-Null

for($row = 2;$row -lt 10;$row++)
{
Write-Output "Inside for loop :$row"| Out-Null
}
return
}

当通过java调用上面的代码时,我没有在while循环中获得值,如下所示。它只在powershell脚本执行后完成。

Process proc = runtime.exec("cmd.exe /c powershell.exe  M:\work\Powershell\V2\ConvertCSVtoEXL2.ps1");
System.out.println("2...");
InputStream is = proc.getInputStream();
InputStreamReader isr = new InputStreamReader(is);
BufferedReader reader = new BufferedReader(isr);
String line;
System.out.println("3");
while ((line = reader.readLine()) != null)
{
System.out.println(line);
//System.out.println(reader.readLine());
System.out.println("4");
}

如果有人能帮我,那就太好了。

  • 您不需要cmd.exe。您可以直接运行powershell.exe
  • 您的PowerShell脚本正在向Out-Null发送输出,因此显然不会向标准输出写入任何内容
  • powershell.exe接受一个-File参数,您可以使用它来运行脚本
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
public class PrcBldTs {
public static void main(String[] args) throws IOException, InterruptedException {
ProcessBuilder pb = new ProcessBuilder("powershell.exe", "-File", "M:\work\Powershell\V2\ConvertCSVtoEXL2.ps1");
Process p = pb.start();
try (InputStreamReader isr = new InputStreamReader(p.getInputStream());
BufferedReader br = new BufferedReader(isr)) {
String line = br.readLine();
while (line != null) {
System.out.println(line);
line = br.readLine();
}
}
int exitStatus = p.waitFor();
System.out.println("exit status = " + exitStatus);
}
}

请注意,您必须调用方法waitFor(),以便您的java代码将等待PowerShell脚本终止。

请记住,ProcessBuilder不会模拟Windows命令提示符。在ProcessBuilder构造函数中,您需要将传递的命令拆分为单词列表。

当然,如果您只想打印PowerShell脚本输出,那么只需调用类ProcessBuilder的方法redirectIO()即可。然后上述代码变为:

import java.io.IOException;
public class PrcBldTs {
public static void main(String[] args) throws IOException, InterruptedException {
ProcessBuilder pb = new ProcessBuilder("powershell.exe", "-File", "M:\work\Powershell\V2\ConvertCSVtoEXL2.ps1");
pb.inheritIO();
Process p = pb.start();
int exitStatus = p.waitFor();
System.out.println("exit status = " + exitStatus);
}
}

您可以在从proc 获取输入流之前使用proc.waitFor();

最新更新