我刚刚开始编程,在java中创建基本的文件I / O程序时遇到困难。
用例:我想检查文件中的字符串,并在同一行中追加一个字符串。例如。文件内容如下:
hostname=localhost
port=192
所以,我希望我的程序在上面的文件中查找hostname
字符串,并将localhost
替换为我传递给它的值。
我能够获取文件并将内容传递给临时文件,但不知道如何操作文件中的字符串。任何帮助都非常感谢。
答案 0 :(得分:1)
您可以尝试String.replace()
:
String replacement = "you-other-host";
// Read your file line by line...
line = line.replace("localhost", replacement);
// and write the modified line to your temporary file
答案 1 :(得分:0)
您需要使用replace,concat等方法。如果你遇到困难,试试一些代码并发帖!
http://docs.oracle.com/javase/1.4.2/docs/api/java/lang/String.html
答案 2 :(得分:0)
以下是两种方法(基本没有任何错误/异常处理,并将目标和替换作为参数传递),如何做到这一点。
如果您的文件存储键/值对,则最好的方式是用户java.util.Properties
public class ReplaceInFile {
private final static String src = "test.txt";
private final static String dst_str = "test_new_str.txt";
private final static String dst_prop = "test_new_prop.txt";
public static void main(String[] args) throws IOException {
usingStringOperations();
usingProperties();
}
private static void usingProperties() throws IOException {
File srcFile = new File(src);
FileInputStream fis = new FileInputStream(srcFile);
Properties properties = new Properties();
properties.load(fis);
fis.close();
if(properties.getProperty("hostname") != null) {
properties.setProperty("hostname", "127.0.0.1");
FileOutputStream fos = new FileOutputStream(dst_prop);
properties.store(fos, "Using java.util.Properties");
fos.close();
}
}
private static void usingStringOperations() throws IOException {
File srcFile = new File(src);
FileInputStream fis = new FileInputStream(srcFile);
int len = fis.available();
if(len > 0) {
byte[] fileBytes = new byte[len];
fis.read(fileBytes, 0, len);
fis.close();
String strContent = new String(fileBytes);
int i = strContent.indexOf("localhost");
if(i != -1) {
String newStrContent = strContent.substring(0, i) +
"127.0.0.1" +
strContent.substring(i + "localhost".length(), strContent.length());
FileOutputStream fos = new FileOutputStream(dst_str);
fos.write(newStrContent.getBytes());
fos.close();
}
}
}
}