Java在Linux环境下执行MySQL命令无法获取结果的问题

背景

最近项目中包含一些导出功能,一些功能需要多表查询才可以满足需求,也有一些数据仅是单表查询。在此之前想到过两种方案,第一种是查询出数据后通过EasyExcle写入文件,另一种是使用MySQL自带的导出功能。但在尝试第二种方案时遇到一些问题,记录如下。

问题

在执行单表导出的过程中,我使用了MySQL自带的命令完成。即在代码中通过字符串拼接命令。例如:
image

即便是这条语句通过Java程序调用还是会执行失败。失败的原因有两个:

  1. 通过Java代码调用命令会出现程序卡死,导致后面的程序无法执行,需要手动处理
  2. 需要告诉操作系统这并非字符串而是命令

解决

import java.io.*;

/**
 * @description:
 * @author: [email protected]
 * @time: 2020/11/26 下午 11:17
 */
public class Test {
    public static void main(String[] args) {
        executeCommand();
    }

    public static void executeCommand() {
        StringBuilder stringBuilder = new StringBuilder();
        stringBuilder.append("mysql -uroot -proot -D test -e 'select * from goods where id=1'");
        stringBuilder.append(" > ");
        stringBuilder.append("/tmp/20201128.csv");
        // 告诉操作系统并非字符串,而是命令
        String[] command = {"/bin/bash", "-c", stringBuilder.toString()};
        try {
            Process process = Runtime.getRuntime().exec(command);
            printMessage(process.getInputStream());
            printMessage(process.getErrorStream());
            // 等待命令执行完毕
            process.waitFor();
        } catch (IOException | InterruptedException e) {
            e.printStackTrace();
        }
    }

    /**
     * 另起一个线程输出错误流
     *
     * @param input
     */
    private static void printMessage(final InputStream input) {
        new Thread(() -> {
            Reader reader = new InputStreamReader(input);
            BufferedReader bf = new BufferedReader(reader);
            String line = null;
            try {
                while ((line = bf.readLine()) != null) {
                    System.out.println(line);
                }
            } catch (IOException e) {
                e.printStackTrace();
            }
        }).start();
    }
}

如有问题,欢迎指正
原文链接:Java在Linux环境下执行MySQL命令无法获取结果的问题 | 海子 | Keep Moving (haicheng.website)

你可能感兴趣的:(java,mysql,linux)