How to Stop a Running a Program Using Other Java Program

前端 未结 1 889
时光说笑
时光说笑 2021-01-25 12:25

I have been implementing a program to compile and run other applications. I was wondering if there is a way to terminate a program when my application discovers that there is an

1条回答
  •  有刺的猬
    2021-01-25 12:39

    I'd suggest to use the following solution:

    1. start your program with a title specified
    2. get PID of the process using "tasklist" command. A CSV parser required. There are tons of available I believe, like org.apache.commons.csv.CSVParser etc :)
    3. kill the process by "taskkill" command using PID.

    Here is some part of code which may be useful:

    public static final String          NL = System.getProperty("line.separator", "\n");
    
    public  int command(String... cmd) throws Exception {
        return command(null, cmd);
    }
    
    public  int command(T out, String... cmd) throws Exception {
        try {
    
            final ProcessBuilder pb = new ProcessBuilder(cmd);
    
            pb.redirectErrorStream(true);
    
            final Process proc = pb.start();
            final BufferedReader rd = new BufferedReader(new InputStreamReader(proc.getInputStream()));
    
            for (;;) {
                final String line = rd.readLine();
    
                if (line == null) {
                    break;
                }
    
                if (out != null) {
                    out.append(line);
                    out.append(NL);
                }
            }
    
            return proc.waitFor();
    
        } catch (InterruptedException e) {
            throw new IOException(e);
        }
    } 
    
    public void startProcessWithTitle(String pathToExe, String title) throws Exception {
        command("cmd.exe", "/C", "start", '"' + pathToExe + '"', '"' + title + '"', ..cmd.params..);
    }
    
    public int findProcessByTitle(String title) throws Exception {
    
        final StringBuilder list = new StringBuilder();
    
        if (command(list, "tasklist", "/V", "/FO", "csv") != 0) {
            throw new RuntimeException("Cannot get tasklist. " + list.toString());
        }
    
        final CSVReader csv = new CSVReader(new StringReader(list.toString()), ',', true, "WindowsOS.findProcessByTitle");
        csv.readHeaders(true); // headers
    
        int pidIndex = csv.getHeaderIndex("PID");
        int titleIndex = csv.getHeaderIndex("Window Title");
    
        while (csv.nextLine()) {
            final String ttl = csv.getString(titleIndex, true);
            if (ttl.contains(title)) {
                return csv.getInt(pidIndex);                
            }
        }
    
        Utils.close(csv);
    
        return -1;
    }
    
    public boolean killProcess(int pid) throws Exception {
        return command("taskkill", "/T", "/F", "/PID", Integer.toString(pid)) == 0;
    }    
    

    0 讨论(0)
提交回复
热议问题