所以我正在尝试编写一个可执行的.sh文件,这就是我目前正在编写的文件:
Writer output = null;
try {
output = new BufferedWriter(new FileWriter(file2));
output.write(shellScriptContent);
output.close();
} catch (IOException ex) {
Logger.getLogger(PunchGUI.class.getName()).log(Level.SEVERE, null, ex);
}
所以写文件就好了,但它不可执行。有没有办法在我写它时改变可执行文件状态?
编辑:为了进一步澄清,我试图使其默认执行,因此,例如,如果您双击生成的文件,它将自动执行。
答案 0 :(得分:20)
您可以调用File.setExecutable()
为文件设置所有者的可执行位,这可能足以满足您的需求。或者您可以使用chmod
进行系统调用Process
。{/ p>
唉,在Java 7之前,文件权限的全功能程序更改是不可用的。它将成为新IO功能集的一部分,您可以阅读有关here的更多信息。
答案 1 :(得分:10)
你需要chmod它,你可以通过执行类似这样的系统命令来实现它:
你真正需要的就是发射这样的东西:
Runtime.getRuntime().exec("chmod u+x "+FILENAME);
但是如果你想更加明确地跟踪它可以捕获stdin / stderr然后更像是:
Process p = Runtime.getRuntime().exec("chmod u+x "+FILENAME);
BufferedReader stdInput = new BufferedReader(new InputStreamReader(p.getInputStream()));
BufferedReader stdError = new BufferedReader(new InputStreamReader(p.getErrorStream()));
我从这里得到的: http://www.devdaily.com/java/edu/pj/pj010016/pj010016.shtml
<强>更新强>
测试程序:
package junk;
import java.io.BufferedWriter;
import java.io.FileWriter;
import java.io.IOException;
import java.io.Writer;
public class Main{
private String scriptContent = '#!/bin/bash \n echo "yeah toast!" > /tmp/toast.txt';
public void doIt(){
try{
Writer output = new BufferedWriter(new FileWriter("/tmp/toast.sh"));
output.write(scriptContent);
output.close();
Runtime.getRuntime().exec("chmod u+x /tmp/toast.sh");
}catch (IOException ex){}
}
public static void main(String[] args){
Main m = new Main();
m.doIt();
}
}
在linux上如果打开文件浏览器并双击/tmp/toast.sh并选择运行它,它应生成一个文本文件/tmp/toast.txt,其中包含'yeah toast'字样。我认为Mac会做同样的事情,因为它是引擎盖下的BSD。
答案 2 :(得分:3)
在Java 7中,您可以致电Files.setPosixFilePermissions
。这是一个例子:
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.nio.file.attribute.PosixFilePermission;
import java.util.Set;
class FilePermissionExample {
public static void main(String[] args) throws IOException {
final Path filepath = Paths.get("path", "to", "file.txt");
final Set<PosixFilePermission> permissions = Files.getPosixFilePermissions(filepath);
permissions.add(PosixFilePermission.OWNER_EXECUTE);
Files.setPosixFilePermissions(filepath, permissions);
}
}
答案 3 :(得分:2)
在Mac OS X上,除了chmod + x之外,如果要通过双击启动它,必须为shell脚本添加.command
扩展名。
答案 4 :(得分:1)
This answer我写的问题how do I programmatically change file permissions通过使用jna的本机调用显示了一个chmod示例,该示例适用于Mac OS X.