原文: https://www.programiz.com/kotlin-programming/examples/append-text-existing-file
在将文本附加到现有文件之前,我们假设在src
文件夹中有一个名为test.txt
的文件。
这是test.txt
的内容
This is a
Test file.
import java.io.IOException
import java.nio.file.Files
import java.nio.file.Paths
import java.nio.file.StandardOpenOption
fun main(args: Array<String>) {
val path = System.getProperty("user.dir") + "\\src\\test.txt"
val text = "Added text"
try {
Files.write(Paths.get(path), text.toByteArray(), StandardOpenOption.APPEND)
} catch (e: IOException) {
}
}
运行该程序时,test.txt
文件现在包含:
This is a
Test file.Added text
在上面的程序中,我们使用System
的user.dir
属性获取存储在变量path
中的当前目录。 检查 Kotlin 程序以获取当前目录,以获取更多信息。
同样,要添加的文本存储在变量text
中。 然后,在try-catch
块内,我们使用Files
的write()
方法将文本附加到现有文件中。
write()
方法采用给定文件的路径,要写入的文本以及应如何打开文件进行写入。 在我们的例子中,我们使用APPEND
选项进行写入。
由于write()
方法可能返回IOException
,因此我们使用try-catch
块来正确捕获异常。
import java.io.FileWriter
import java.io.IOException
fun main(args: Array<String>) {
val path = System.getProperty("user.dir") + "\\src\\test.txt"
val text = "Added text"
try {
val fw = FileWriter(path, true)
fw.write(text)
fw.close()
} catch (e: IOException) {
}
}
该程序的输出与示例 1 相同。
在上述程序中,不是使用write()
方法,而是使用FileWriter
的实例(对象)将文本附加到现有文件中。
创建FileWriter
对象时,我们传递文件的路径,并以true
作为第二个参数。true
表示我们允许添加文件。
然后,我们使用write()
方法附加给定的text
并关闭文件编写器。
以下是等效的 Java 代码:将文本附加到现有文件的 Java 程序。