※※Java调用Runtime.exec()要注意的问题

※※Java调用Runtime.exec()要注意的问题
标签:execJavaRuntime
字体:【默认中大】
http://it.superkoo.com/#/topic/479/

最近开发一个项目需要在JAVA中调用VC写的一个EXE程序,首先想到的方法肯定是用Runtime.exec(),但一写就发现,事情并没有那么的简单。后来经过多番调试与查找资料才明白了其中的细节:

(1)等待命令执行结束用waitFor(),其返回值就是命令的返回值
(2)如果出现程序执行被挂起,没有任何反应的情况,是由于没有读取命令子进程的正常输出流或错误输出流导致缓冲区被占满,进程被锁住。这个时候需要把输出流中的内容给读出来。最好的做法是使用两个线程,分别同时读取正常输出流和错误输出流。
(3)执行Windows平台上的命令时使用cmd.exe /C,如cmd.exe /C dir。
(4)记得关闭命令子进程的输入流,通过Process.getOutputStream().close(),这样不会导致命令子进程被锁住。

1、Runtime.exec的用法

The class java.lang.Runtime features a static method called getRuntime(), which retrieves the current Java Runtime Environment. This is the only way to obtain a reference to the Runtime Object. With this reference you can run external programs by invoking the Runtime class’s exec() method. Developers often call this method to launch a browser for displaying a help page in HTML.

There are four overloaded version of the exec() command:

Public Process exec(String command);

Public Process exec(String[] cmdArray);

Public Process exec(String command, String []envp);

Public Process exec(String [] cmdArray, String []envp);

For each of these methods, a command—and possible and possibly a set of arguments—is passed to an operating system function call. This subsequently creates an operating system specific process(a running program )with a reference to a Process class returned to the Java VM. The Process is a abstract class ,because a specific subclass of Process exists for each operating system.

You can pass three possible input params into to these methods:

1.a single string that represents both the program to execute and any args to the program.

2.an array of strings that separate the program from its argumen

3.an array of the environment variables.

Pass the environment variables in the form name=value. If you use the version of exec() with a sigle string for both the program and its arguments, note that the string is parsed using white space as the delimiter via the StringTokenizer class.

The first pitfall relating to Runtime.exec() is the IllegalThreadStateException the prevalent first test of an API is to code its most obvious methods.To see the value the external process returns we use the exitValue() method on the Process class. In our first example, we will attempt to execute the Java compliere(javac.exe)

2、一个错误的程序示例

java 代码
  1. import java.util.*;
  2. import java.io.*;
  3. public class BadExecJavac
  4. {
  5.     public static void main(String args[])
  6.     {
  7.         try
  8.         {           
  9.             Runtime rt = Runtime.getRuntime();
  10.             Process proc = rt.exec("javac");
  11.             int exitVal = proc.exitValue();
  12.             System.out.println("Process exitValue: " + exitVal);
  13.         } catch (Throwable t)
  14.           {
  15.             t.printStackTrace();
  16.           }
  17.     }
  18. }

运行结果如下:

E:\classes\com\javaworld\jpitfalls\article2>java BadExecJavac

java.lang.IllegalThreadStateException: process has not exited

         at java.lang.Win32Process.exitValue(Native Method)

         at BadExecJavac.main(BadExecJavac.java:13)

这是因为当进程还没有结束的情况下,调用exitValue方法会抛出IllegalThreadStateException.当然了我们会问为什吗这个方法不会等到进程结束在返回一个合理的值?

在检查Process类的所有可用方法以后我们发现WairFor()是一个更合适的方法。事实上waitFor也会返回exit value。这意味着你不可以同时用exitvalue和waitfor,而是只能选择一个。

当然了也有情况你要在waitfor之前用exitvalue方法:就是你不想因为外部程序永远无法完成而一直等待下去。

因此为了避免这个陷阱,我们要么捕获IllegalThreadStateException异常,要么等待进程完成。我们相当然的以为可以用waitfor来等待程序的结束。代码如下:

java 代码
  1. import java.util.*;
  2. import java.io.*;
  3. public class BadExecJavac2
  4. {
  5.      public static void main(String args[])
  6.      {
  7.          try
  8.          {             
  9.             Runtime rt = Runtime.getRuntime();
  10.              Process proc = rt.exec("javac");
  11.              int exitVal = proc.waitFor();
  12.              System.out.println("Process exitValue: " + exitVal);
  13.          } catch (Throwable t)
  14.            {
  15.              t.printStackTrace();
  16.            }
  17.      }
  18. }

这次在linux下面返回的结果是2,而在windows下面据说程序会挂起,关于其原因我们可以在jdk文档中找到部分解释:因为一些操作系统为标准的输入输出仅仅提供有限的缓冲区,当不能正确的将信息写进输入流或者从输出流中获取信息时,就会导致子进程的阻塞,甚至死锁。

3、一个平庸的解决方案

现在我们就根据jdk文档来处理javac进程的输出,当你不带任何参数运行javac时,它会打印出一系列的有用的提示信息。而这些会被传送到stderr流中。我们可以写程序在其返回前获取这些信息。下面的代码提供了一个平庸的解决方案。

java 代码
  1. import java.util.*;
  2. import java.io.*;
  3. public class MediocreExecJavac
  4. {
  5.      public static void main(String args[])
  6.      {
  7.          try
  8.          {             
  9.             Runtime rt = Runtime.getRuntime();
  10.              Process proc = rt.exec("javac");
  11.              InputStream stderr = proc.getErrorStream();
  12.              InputStreamReader isr = new InputStreamReader(stderr);
  13.              BufferedReader br = new BufferedReader(isr);
  14.              String line = null;
  15.              System.out.println("<ERROR>");
  16.              while ( (line = br.readLine()) != null)
  17.                  System.out.println(line);
  18.              System.out.println("</ERROR>");
  19.              int exitVal = proc.waitFor();
  20.              System.out.println("Process exitValue: " + exitVal);
  21.          } catch (Throwable t)
  22.            {
  23.              t.printStackTrace();
  24.            }
  25.      }
  26. }

这次程序可以正确的输出了提示信息,但是我们应该注意到其返回代码是2,我们知道任何非0的返回代码都表示程序不正常。所以我们需要进一步的查找原因。对于win32而言是file not found,很明显javac期望我们提供编译的文件。所以对于永远挂起的问题,如果你运行的程序会有输出或者要求输出入时,你需要处理输出和输入。

3、不要把命令当成一个可以执行的程序

很多新手把一些windows的命令当中可以独立运行的程序因此他们就陷入了Runtime的另一个陷阱,如下面的例子所示:

java 代码
  1. import java.util.*;
  2. import java.io.*;
  3. public class BadExecWinDir
  4. {
  5.      public static void main(String args[])
  6.      {
  7.          try
  8.          {             
  9.             Runtime rt = Runtime.getRuntime();
  10.              Process proc = rt.exec("dir");
  11.              InputStream stdin = proc.getInputStream();
  12.              InputStreamReader isr = new InputStreamReader(stdin);
  13.              BufferedReader br = new BufferedReader(isr);
  14.              String line = null;
  15.              System.out.println("<OUTPUT>");
  16.              while ( (line = br.readLine()) != null)
  17.                  System.out.println(line);
  18.              System.out.println("</OUTPUT>");
  19.              int exitVal = proc.waitFor();             
  20.             System.out.println("Process exitValue: " + exitVal);
  21.          } catch (Throwable t)
  22.            {
  23.              t.printStackTrace();
  24.            }
  25.      }
  26. }

据说在windows下面会抛出如下的异常:

java.io.IOException: CreateProcess: dir error=2

         at java.lang.Win32Process.create(Native Method)

         at java.lang.Win32Process.<init>(Unknown Source)

         at java.lang.Runtime.execInternal(Native Method)

         at java.lang.Runtime.exec(Unknown Source)

         at java.lang.Runtime.exec(Unknown Source)

         at java.lang.Runtime.exec(Unknown Source)

         at java.lang.Runtime.exec(Unknown Source)

         at BadExecWinDir.main(BadExecWinDir.java:12)

我在linux下面运行的结果是正确的。前面说了在win32下面2代表是文件没有找到,而在这种情况下表明是dir.exe没有找到,(因为根本就没有这个文件,他们都被封装到common.com (win95)或者cmd.exe中了。

下面我们列出一个正确的处理Process的输入输出流的方法。需要用一个线程类。

java 代码
  1. import java.util.*;
  2. import java.io.*;
  3. class StreamGobbler extends Thread
  4. {
  5.      InputStream is;
  6.      String type;
  7.     StreamGobbler(InputStream is, String type)
  8.      {
  9.          this.is = is;
  10.          this.type = type;
  11.      }
  12.      
  13.     public void run()
  14.      {
  15.          try
  16.          {
  17.              InputStreamReader isr = new InputStreamReader(is);
  18.              BufferedReader br = new BufferedReader(isr);
  19.              String line=null;
  20.              while ( (line = br.readLine()) != null)
  21.                  System.out.println(type + ">" + line);     
  22.             } catch (IOException ioe)
  23.                {
  24.                  ioe.printStackTrace();  
  25.               }
  26.      }
  27. }

用于专门的处理输入输出。

java 代码
  1. public class GoodWindowsExec
  2. {
  3.      public static void main(String args[])
  4.      {
  5.          if (args.length < 1)
  6.          {
  7.              System.out.println("USAGE: java GoodWindowsExec <cmd>");
  8.              System.exit(1);
  9.          }
  10.          
  11.         try
  12.          {             
  13.             String osName = System.getProperty("os.name" );
  14.              String[] cmd = new String[3];
  15.              if( osName.equals( "Windows NT" ) )
  16.              {
  17.                  cmd[0] = "cmd.exe" ;
  18.                  cmd[1] = "/C" ;
  19.                  cmd[2] = args[0];
  20.              }
  21.              else if( osName.equals( "Windows 95" ) )
  22.              {
  23.                  cmd[0] = "command.com" ;
  24.                  cmd[1] = "/C" ;
  25.                  cmd[2] = args[0];
  26.              }
  27.              
  28.             Runtime rt = Runtime.getRuntime();
  29.              System.out.println("Execing " + cmd[0] + " " + cmd[1
  30.                                + " " + cmd[2]);
  31.              Process proc = rt.exec(cmd);
  32.              // any error message?
  33.              StreamGobbler errorGobbler = new 
  34.                 StreamGobbler(proc.getErrorStream(), "ERROR");             
  35.             
  36.             // any output?
  37.              StreamGobbler outputGobbler = new 
  38.                 StreamGobbler(proc.getInputStream(), "OUTPUT");
  39.                  
  40.             // kick them off
  41.              errorGobbler.start();
  42.              outputGobbler.start();
  43.                                      
  44.             // any error???
  45.              int exitVal = proc.waitFor();
  46.              System.out.println("ExitValue: " + exitVal);         
  47.         } catch (Throwable t)
  48.            {
  49.              t.printStackTrace();
  50.            }
  51.      }
  52. }

如果运行如下命令上面的代码会调用word程序

>java GoodWindowExec “abc.doc”

也就是说文件类型如果window能够识别它就会调用对应的程序处理。

StreamGlobbler的最重要作用是他会清空所有的传递给他的inputstream,这样不会造成Process阻塞或者死锁。

另外一种实现方式:

java 代码
  1. package cmd; 
  2.  
  3. import java.io.BufferedReader
  4. import java.io.InputStream
  5. import java.io.InputStreamReader
  6.  
  7. class StreamDrainer implements Runnable
  8.     private InputStream ins; 
  9.  
  10.     public StreamDrainer(InputStream ins) { 
  11.         this.ins = ins; 
  12.     } 
  13.  
  14.     public void run() { 
  15.         try
  16.             BufferedReader reader = new BufferedReader
  17.                     new InputStreamReader(ins)); 
  18.             String line = null
  19.             while ((line = reader.readLine()) != null) { 
  20.                 System.out.println(line); 
  21.             } 
  22.         } catch (Exception e) { 
  23.             e.printStackTrace(); 
  24.         } 
  25.     } 
  26.  
  27.  
  28. public class TestRunCmd { 
  29.  
  30.     public static void main(String[] args) { 
  31.         String[] cmd = new String[] { "cmd.exe", "/C", "wmic process get name" }; 
  32.         try
  33.             Process process = Runtime.getRuntime().exec(cmd); 
  34.              
  35.             new Thread(new StreamDrainer(process.getInputStream())).start(); 
  36.             new Thread(new StreamDrainer(process.getErrorStream())).start(); 
  37.              
  38.             process.getOutputStream().close(); 
  39.  
  40.             int exitValue = process.waitFor(); 
  41.             System.out.println("返回值:" + exitValue); 
  42.         } catch (Exception e) { 
  43.             e.printStackTrace(); 
  44.         } 
  45.  
  46.     } 
  47.  

4、不要把exec当成命令行,它不会重定向文件

如你在linux下面type ls> abc.txt或者在window下面dir>abc.txt 会把输出的结果通过管道重定向到文件中。但是exec不会。你必须自己写程序来处理。


本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/353718.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

应用程序模块和实体缓存

任何具有ADF业务组件基础知识的ADF开发人员都应该熟悉下图&#xff1a; 它代表运行时ADF业务组件的核心构建块。 有一个包含视图对象实例的根应用程序模块实例。 视图对象实例可能由存储在实体集合或换句话说就是实体缓存中的实体对象备份。 根应用程序模块可能还包含嵌套的应…

kubernetes-dashboard(1.8.3)部署与踩坑

Kubernetes Dashboard 是一个管理Kubernetes集群的全功能Web界面&#xff0c;旨在以UI的方式完全替代命令行工具&#xff08;kubectl 等&#xff09;。 目录 部署创建用户集成Heapster访问 kubectl proxyNodePortAPI ServerIngress部署 Dashboard需要用到k8s.gcr.io/kubernetes…

MFC中打开文件对话框:CFileDlg

MFC中打开文件对话框:CFileDlg CFileDialog 文件选择对话框的使用&#xff1a;首先构造一个对象并提供相应的参数&#xff0c;构造函数原型如下&#xff1a; CFileDialog::CFileDialog( BOOL bOpenFileDialog, LPCTSTR lpszDefExt NULL, LPCTSTR lpszFileName NULL, DWORD d…

TCL座机日期时间调整

设置日期时间&#xff1a;1.按“挂断/设置”键&#xff0c;显示“SET 12345678”2.按1&#xff08;一般情况下1为设置日期&#xff09;&#xff0c;显示“1-date 2-cl”&#xff0c;3.按1显示 “d2012 01-01”&#xff08;设置年月日&#xff0c;也就是直接按数字键设定年月日&…

MFC多线程编程

MFC多线程编程 (2007-11-20 17:56:36) 分类&#xff1a; vc 基于MFC的多线程编程 MFC是微软的VC开发集成环境中提供给程序员的基础函数库&#xff0c;它用类库的方式将Win32 API进行封装&#xff0c;以类的方式提供给开发者。由于其快速、简捷、功能强大等特点深受广大开发者喜…

oracle线程阻塞_Oracle Service Bus –线程阻塞案例研究

oracle线程阻塞本案例研究描述了在AIX 6.1和IBM Java VM 1.6上运行的Oracle Service Bus 11g遇到的线程阻塞问题的完整根本原因分析过程。 本文也是您提高线程转储分析技能的绝佳机会&#xff0c;我强烈建议您学习并正确理解以下分析方法。 它还将展示正确数据收集的重要性&…

前端开发 —— BOM

0. BOM vs. DOM BOM&#xff1a;Browser Object Model&#xff0c;浏览器对象模型&#xff0c;是在 web 中使用 JavaScript 的绝对核心&#xff1b; BOM&#xff1a;提供了独立于内容而与浏览器窗口进行交互的对象。BOM 提供了很多对象&#xff08;window、location、navigator…

LPCTSTR和CString的关系

LPCTSTR和CString的关系 2010-12-06 08:56:33 标签&#xff1a;LPCTSTR CString 休闲 职场 类型理解LPCTSTR类型&#xff1a;L表示long指针 这是为了兼容Windows 3.1等16位操作系统遗留下来的&#xff0c;在win32中以及其他的32位操作系统中&#xff0c; long指针和near指针及…

Activiti中的安全脚本如何工作

最近的Activiti 5.21.0版本的突出特点之一是“安全脚本”。 Activiti用户指南中详细介绍了启用和使用此功能的方法 。 在这篇文章中&#xff0c;我将向您展示我们如何实现其最终实现以及它在幕后所做的事情。 当然&#xff0c;由于这是我通常的签名风格&#xff0c;因此我们还将…

JS 代码优化

1、JS中函数单独写在一个声明函数中&#xff0c;执行这个使用调用函数。这样js代码结构会清爽一点。 2、js函数注释规范 /*** brief 对报文某个域组包&#xff0c;把逗号后面的数据组成一个字符串给ddname用* param {string} p1 参数1的说明* param {string} p2 参数2的说明&am…

c++学习之const成员变量与成员函数

c学习之const成员变量与成员函数 常类型是指用类型修饰符const说明的类型&#xff0c;常类型的变量或者对象的值是不能被更新的。因此&#xff0c;定义或说明常类型时必须初始化。 如果在一个类声明常数据成员&#xff0c;那么任何函数中都不能对该成员赋值。构造函数对该成员…

使用准现网的数据,使用本地的样式脚本,本地调试准现网页面(PC适用)

原理&#xff1a; 本地逻辑&#xff0c;重新渲染 步骤&#xff1a; 1.安装插件&#xff1a;Tampermonkey 度盘&#xff1a;https://pan.baidu.com/s/1bpBVVT9 2.设置&#xff1a; 点击插件-->仪表盘 添加脚本 将此文本文档中的脚本复制到脚本编辑框处&#xff0c;并CtrlS保存…

FDATOOL设计滤波器

FDATOOL设计滤波器 分类&#xff1a; 数字信号处理 2006-04-20 11:251. 在Matlab中键入fdatool运行Filter Design and Analysis Tool。具体使用请参见Matlab Help中的Signal Processing Toolbox->FDATool。 2. 在fdatool工具中应该注意的几个问题&#xff1a;(a)Fstop&#…

大例外背后的真相

异常可能是最被滥用的Java语言功能。 这就是为什么 让我们打破一些神话。 没有牙仙子。 圣诞老人不是真实的。 TODO评论。 finalfinalversion-final.pdf。 无皂肥皂。 而且…例外实际上是例外。 后者可能需要更多说服力&#xff0c;但我们可以帮助您。 在这篇文章中&#xff…

MATLAB里面的filter和filtfilt的C语言源代码

MATLAB里面的filter和filtfilt的C语言源代码 嗯&#xff0c;算法非常简单&#xff0c;就是网上搜不到C代码实现。filter是个很万能的数字滤波器函数&#xff0c;只要有滤波器的差分方程系数&#xff0c;IIR呀FIR呀都能通过它实现。在MATLAB里面&#xff0c;filter最常用的格式是…

20172302『Java程序设计』课程 结对编程练习_四则运算第二周阶段总结

一.结对对象 姓名&#xff1a;周亚杰学号&#xff1a;20172302担任角色&#xff1a;驾驶员&#xff08;周亚杰&#xff09;伙伴第二周博客地址二.本周内容 (一)继续编写上周未完成代码 1.本周继续编写代码&#xff0c;使代码支持分数类计算 2.相关过程截图 a.下图是上周编写的生…

MFC标签页控件的使用

随笔- 11 文章- 0 评论- 3 MFC标签页控件的使用 1、在对话框中添加一个标签页控件&#xff0c;并为此控件关联一个CTabCtrl类变量m_tabctrl. 2、创建若干个对话框资源作为标签页控件的标签。 修改两个属性&#xff1a; Border: none // 边界为空&#xff0c;这样它就没…

实践中的弹性基础架构

几周前&#xff0c;我获得了一个难得的机会&#xff0c;可以在基础设施领域弄脏双手。 在JVM内部的深入了解下&#xff0c;我每天的工作经历发生了有趣的变化&#xff0c;我想与您分享动机和成果。 希望它可以启发类似的问题类别。 背景 我将从解释需要解决方案的上下文开始。…

struct和typedef struct

struct和typedef struct 分三块来讲述&#xff1a;   1 首先&#xff1a;//注意在C和C里不同     在C中定义一个结构体类型要用typedef:     typedef struct Student     {     int a;     }Stu;     于是在声明变量的时候就可&#xff1a;Stu stu1;…

notepad++插件实现json、xml格式化

notepad比较出色的免费的数据编辑、格式化工具。。。 现在json、xml文件很流行、格式化也是必须的&#xff0c;方便查看关键信息&#xff01; 01、下载notepad及相关插件 npp_7.5.5-x86&#xff1a; https://files.cnblogs.com/files/xiaochina/npp_7.5.5-x86.zip npp-json:…