답변:
로깅 목적으로이 작업을 수행하고 있습니까? 그렇다면 이것에 대한 몇 개의 라이브러리가 있습니다. 가장 인기있는 두 가지는 Log4j 및 Logback 입니다.
이 작업을 한 번만 수행하면 Files 클래스에서 이를 쉽게 수행 할 수 있습니다.
try {
Files.write(Paths.get("myfile.txt"), "the text".getBytes(), StandardOpenOption.APPEND);
}catch (IOException e) {
//exception handling left as an exercise for the reader
}
주의 : 위의 방법은 NoSuchFileException
파일이 존재하지 않으면를 던집니다 . 또한 텍스트 파일에 추가 할 때 자주 줄 바꿈을 자동으로 추가하지 않습니다. Steve Chambers의 답변 은 Files
수업에서 어떻게 할 수 있는지 다루고 있습니다 .
그러나 동일한 파일에 여러 번 쓰려면 위의 파일을 디스크에서 여러 번 열고 닫아야하므로 작업 속도가 느립니다. 이 경우 버퍼링 된 작성기가 더 좋습니다.
try(FileWriter fw = new FileWriter("myfile.txt", true);
BufferedWriter bw = new BufferedWriter(fw);
PrintWriter out = new PrintWriter(bw))
{
out.println("the text");
//more code
out.println("more text");
//more code
} catch (IOException e) {
//exception handling left as an exercise for the reader
}
노트:
FileWriter
생성자에 대한 두 번째 매개 변수 는 새 파일을 작성하지 않고 파일에 추가하도록 지시합니다. (파일이 없으면 생성됩니다.)BufferedWriter
고가의 작가 (예 :)에게는를 사용하는 것이 좋습니다 FileWriter
.PrintWriter
액세스 할 println
수 있습니다 System.out
.BufferedWriter
와 PrintWriter
래퍼가 꼭 필요한 것은 아닙니다.try {
PrintWriter out = new PrintWriter(new BufferedWriter(new FileWriter("myfile.txt", true)));
out.println("the text");
out.close();
} catch (IOException e) {
//exception handling left as an exercise for the reader
}
이전 Java에 대해 강력한 예외 처리가 필요한 경우 매우 장황합니다.
FileWriter fw = null;
BufferedWriter bw = null;
PrintWriter out = null;
try {
fw = new FileWriter("myfile.txt", true);
bw = new BufferedWriter(fw);
out = new PrintWriter(bw);
out.println("the text");
out.close();
} catch (IOException e) {
//exception handling left as an exercise for the reader
}
finally {
try {
if(out != null)
out.close();
} catch (IOException e) {
//exception handling left as an exercise for the reader
}
try {
if(bw != null)
bw.close();
} catch (IOException e) {
//exception handling left as an exercise for the reader
}
try {
if(fw != null)
fw.close();
} catch (IOException e) {
//exception handling left as an exercise for the reader
}
}
new BufferedWriter(...)
예외 를 던진다 고 상상해 보자 . 는 것인가 FileWriter
폐쇄? 객체 close()
에서 메소드 (일반 조건)가 호출 되기 때문에 닫히지 않을 것이라고 생각합니다. out
이 경우 int는 초기화되지 않으므로 실제로 close()
메소드가 호출되지 않습니다-> 파일이 열리지 만 닫히지 않습니다. 그래서 IMHO try
진술은 다음과 try(FileWriter fw = new FileWriter("myFile.txt")){ Print writer = new ....//code goes here }
같아야 flush()
하며 try
블록을 나가기 전에 작가 가 있어야 합니다 !
StandardOpenOption.APPEND
만들지 않습니다. 예외가 발생하지 않기 때문에 자동 실패와 비슷합니다. (2)를 사용 .getBytes()
하면 추가 된 텍스트 전후에 반환 문자가 없음을 의미합니다. 이 문제 를 해결하기 위한 대체 답변 을 추가했습니다 .
추가 fileWriter
하기 true
위해 플래그를로 설정하여 사용할 수 있습니다 .
try
{
String filename= "MyFile.txt";
FileWriter fw = new FileWriter(filename,true); //the true will append the new data
fw.write("add a line\n");//appends the string to the file
fw.close();
}
catch(IOException ioe)
{
System.err.println("IOException: " + ioe.getMessage());
}
try(FileWriter fw = new FileWriter(filename,true)){ // Whatever }catch(IOException ex){ ex.printStackTrace(); }
try / catch 블록이있는 모든 대답에 finally 블록에 .close () 조각이 포함되어 있지 않아야합니까?
답변의 예 :
PrintWriter out = null;
try {
out = new PrintWriter(new BufferedWriter(new FileWriter("writePath", true)));
out.println("the text");
} catch (IOException e) {
System.err.println(e);
} finally {
if (out != null) {
out.close();
}
}
또한 Java 7부터 try-with-resources 문을 사용할 수 있습니다 . 선언 된 리소스를 닫는 데 finally 블록이 필요하지 않습니다. 선언 된 리소스는 자동으로 처리되므로 덜 장황하기 때문입니다.
try(PrintWriter out = new PrintWriter(new BufferedWriter(new FileWriter("writePath", true)))) {
out.println("the text");
} catch (IOException e) {
System.err.println(e);
}
out
범위를 벗어나는 가비지 수집, 권리를 얻을 때, 그것은 자동으로 닫힙니다? finally
블록 이있는 예에서, out.close()
올바르게 기억한다면 실제로 중첩 된 다른 시도 / 캐치가 필요하다고 생각 합니다. Java 7 솔루션은 매우 매끄 럽습니다! (저는 Java 6 이후로 Java 개발을 해 본 적이 없으므로 그 변화에 익숙하지 않았습니다.)
flush
방법이 필요 합니까?
편집 -Apache Commons 2.1부터 올바른 방법은 다음과 같습니다.
FileUtils.writeStringToFile(file, "String to append", true);
@Kip의 솔루션을 최종적으로 파일을 올바르게 닫는 것을 포함하도록 조정했습니다.
public static void appendToFile(String targetFile, String s) throws IOException {
appendToFile(new File(targetFile), s);
}
public static void appendToFile(File targetFile, String s) throws IOException {
PrintWriter out = null;
try {
out = new PrintWriter(new BufferedWriter(new FileWriter(targetFile, true)));
out.println(s);
} finally {
if (out != null) {
out.close();
}
}
}
Kip의 답변 을 약간 확장하려면 다음 과 같이 파일에 새 줄 을 추가하여 존재하지 않는 경우 파일을 만드는 간단한 Java 7+ 메소드가 있습니다 .
try {
final Path path = Paths.get("path/to/filename.txt");
Files.write(path, Arrays.asList("New line to append"), StandardCharsets.UTF_8,
Files.exists(path) ? StandardOpenOption.APPEND : StandardOpenOption.CREATE);
} catch (final IOException ioe) {
// Add your own exception handling...
}
참고 : 위의 사용 Files.write
기록 과부하 라인 (A와 유사한 즉, 파일에 텍스트를 println
명령). 끝에 텍스트를 쓰려면 (예 : print
명령 과 유사 ) Files.write
바이트 배열 (예 :)을 전달 하는 대체 오버로드를 사용할 수 있습니다 "mytext".getBytes(StandardCharsets.UTF_8)
.
.CREATE
당신을 위해 일을 생각했다 .
오류가 발생했을 때 이러한 응답 중 몇 개가 파일 핸들을 열어 두 었는지 약간 놀랍습니다. 대답 https://stackoverflow.com/a/15053443/2498188 에 돈이 있지만 BufferedWriter()
던질 수 없기 때문에 . 그렇다면 예외는 FileWriter
객체를 열린 채로 둡니다 .
BufferedWriter()
던질 수 있다면 신경 쓰지 않는보다 일반적인 방법 :
PrintWriter out = null;
BufferedWriter bw = null;
FileWriter fw = null;
try{
fw = new FileWriter("outfilename", true);
bw = new BufferedWriter(fw);
out = new PrintWriter(bw);
out.println("the text");
}
catch( IOException e ){
// File writing/opening failed at some stage.
}
finally{
try{
if( out != null ){
out.close(); // Will close bw and fw too
}
else if( bw != null ){
bw.close(); // Will close fw too
}
else if( fw != null ){
fw.close();
}
else{
// Oh boy did it fail hard! :3
}
}
catch( IOException e ){
// Closing the file writers failed for some obscure reason
}
}
Java 7부터 권장되는 방법은 "자원을 사용하여 시도"를 사용하여 JVM이 처리하도록하는 것입니다.
try( FileWriter fw = new FileWriter("outfilename", true);
BufferedWriter bw = new BufferedWriter(fw);
PrintWriter out = new PrintWriter(bw)){
out.println("the text");
}
catch( IOException e ){
// File writing/opening failed at some stage.
}
PrintWriter.close()
선언되지 않았습니다 . 그 살펴보면 소스 의 방법은 참으로 던질 수 는 기본 스트림에서 잡는다, 그리고 플래그를 설정하기 때문에. 따라서 다음 우주 왕복선 또는 X- 선 선량 측정 시스템의 코드를 작업하는 경우을 시도한 후 사용해야 합니다 . 이것은 실제로 문서화되어 있어야합니다. throws IOException
close()
IOException
PrintWriter.checkError()
out.close()
XX.close()
의 시도 / 캐치에 있어야합니까? 예를 들어, out.close()
예외에 사건을 던질 수 bw.close()
및 fw.close()
호출되지 얻을 않을 것, 그리고 fw
가까운 가장 중요 하나입니다.
Java-7에서는 다음과 같은 종류도 가능합니다.
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.nio.file.StandardOpenOption;
// ---------------------
Path filePath = Paths.get("someFile.txt");
if (!Files.exists(filePath)) {
Files.createFile(filePath);
}
Files.write(filePath, "Text to be added".getBytes(), StandardOpenOption.APPEND);
자바 7+
나는 평범한 자바의 팬이기 때문에 겸손한 의견으로, 위에서 언급 한 답변의 조합이라는 것을 제안 할 것입니다. 파티에 늦었을지도 몰라 코드는 다음과 같습니다.
String sampleText = "test" + System.getProperty("line.separator");
Files.write(Paths.get(filePath), sampleText.getBytes(StandardCharsets.UTF_8),
StandardOpenOption.CREATE, StandardOpenOption.APPEND);
파일이 존재하지 않으면 파일을 만들고 이미 존재하는 경우 sampleText 를 기존 파일에 추가 합니다. 이를 사용하면 클래스 경로에 불필요한 라이브러리를 추가하지 않아도됩니다.
java.nio 사용 java.nio.file과 함께 파일 . StandardOpenOption
PrintWriter out = null;
BufferedWriter bufWriter;
try{
bufWriter =
Files.newBufferedWriter(
Paths.get("log.txt"),
Charset.forName("UTF8"),
StandardOpenOption.WRITE,
StandardOpenOption.APPEND,
StandardOpenOption.CREATE);
out = new PrintWriter(bufWriter, true);
}catch(IOException e){
//Oh, no! Failed to create PrintWriter
}
//After successful creation of PrintWriter
out.println("Text to be appended");
//After done writing, remember to close!
out.close();
매개 변수를 BufferedWriter
사용 하는 using 파일 StandardOpenOption
과 PrintWriter
결과에서 자동 플러싱 을 BufferedWriter
만듭니다. PrintWriter
의 println()
방법은 다음 파일에 쓰기로 호출 할 수 있습니다.
StandardOpenOption
이 코드에 사용 된 매개 변수 : 만 파일에 추가, 쓰기 위해 파일을 열고, 존재하지 않는 경우 파일을 작성합니다.
Paths.get("path here")
로 교체 할 수 있습니다 new File("path here").toPath()
. 그리고 Charset.forName("charset name")
원하는에 맞게 수정 될 수 있습니다 Charset
.
나는 작은 세부 사항을 추가합니다.
new FileWriter("outfilename", true)
2.nd 매개 변수 (true)는 appendable ( http://docs.oracle.com/javase/7/docs/api/java/lang/Appendable.html ) 이라고하는 기능 (또는 인터페이스 )입니다. 특정 파일 / 스트림의 끝에 일부 컨텐츠를 추가 할 수 있습니다. 이 인터페이스는 Java 1.5부터 구현되었습니다. 이 인터페이스가있는 각 객체 (예 : BufferedWriter, CharArrayWriter, CharBuffer, FileWriter, FilterWriter, LogStream, OutputStreamWriter, PipedWriter, PrintStream, PrintWriter, StringBuffer, StringBuilder, StringWriter, Writer )를 사용하여 컨텐츠를 추가 할 수 있습니다.
즉, zip 파일 또는 http 프로세스에 일부 내용을 추가 할 수 있습니다.
구아바를 사용한 샘플 :
File to = new File("C:/test/test.csv");
for (int i = 0; i < 42; i++) {
CharSequence from = "some string" + i + "\n";
Files.append(from, to, Charsets.UTF_8);
}
bufferFileWriter.append로 시도해보십시오.
FileWriter fileWriter;
try {
fileWriter = new FileWriter(file,true);
BufferedWriter bufferFileWriter = new BufferedWriter(fileWriter);
bufferFileWriter.append(obj.toJSONString());
bufferFileWriter.newLine();
bufferFileWriter.close();
} catch (IOException ex) {
Logger.getLogger(JsonTest.class.getName()).log(Level.SEVERE, null, ex);
}
String str;
String path = "C:/Users/...the path..../iin.txt"; // you can input also..i created this way :P
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
PrintWriter pw = new PrintWriter(new FileWriter(path, true));
try
{
while(true)
{
System.out.println("Enter the text : ");
str = br.readLine();
if(str.equalsIgnoreCase("exit"))
break;
else
pw.println(str);
}
}
catch (Exception e)
{
//oh noes!
}
finally
{
pw.close();
}
이것은 당신이 원하는 것을 할 것입니다 ..
Java 7 이상을 사용 중이고 파일에 추가 (추가) 될 내용을 알고 있다면 NIO 패키지에서 newBufferedWriter 메소드를 사용할 수 있습니다 .
public static void main(String[] args) {
Path FILE_PATH = Paths.get("C:/temp", "temp.txt");
String text = "\n Welcome to Java 8";
//Writing to the file temp.txt
try (BufferedWriter writer = Files.newBufferedWriter(FILE_PATH, StandardCharsets.UTF_8, StandardOpenOption.APPEND)) {
writer.write(text);
} catch (IOException e) {
e.printStackTrace();
}
}
주의해야 할 사항이 몇 가지 있습니다.
StandardCharsets
.try-with-resource
시도 후 리소스가 자동으로 닫히는 문을 사용 합니다.OP는 요청하지 않았지만 특정 키워드가있는 행을 검색하려는 경우를 대비 confidential
하여 Java에서 스트림 API를 사용할 수 있습니다.
//Reading from the file the first line which contains word "confidential"
try {
Stream<String> lines = Files.lines(FILE_PATH);
Optional<String> containsJava = lines.filter(l->l.contains("confidential")).findFirst();
if(containsJava.isPresent()){
System.out.println(containsJava.get());
}
} catch (IOException e) {
e.printStackTrace();
}
write(String string)
각 문자열이 작성된 후 줄 바꿈 newLine()
이 필요한 경우 다음을 호출해야합니다.
import java.io.BufferedWriter;
import java.io.FileWriter;
import java.io.IOException;
import java.io.PrintWriter;
public class Writer {
public static void main(String args[]){
doWrite("output.txt","Content to be appended to file");
}
public static void doWrite(String filePath,String contentToBeAppended){
try(
FileWriter fw = new FileWriter(filePath, true);
BufferedWriter bw = new BufferedWriter(fw);
PrintWriter out = new PrintWriter(bw)
)
{
out.println(contentToBeAppended);
}
catch( IOException e ){
// File writing/opening failed at some stage.
}
}
}
프로젝트의 어느 곳에서나 함수를 만들고 필요할 때마다 해당 함수를 호출하면됩니다.
여러분들은 여러분이 비동기 적으로 호출하지 않는 활성 스레드를 호출하고 있으며 올바르게 처리하기 위해서는 5 ~ 10 페이지가 좋을 것이므로 기억하십시오. 프로젝트에 더 많은 시간을 보내고 이미 작성된 것을 작성하는 것을 잊지 마십시오. 정확히
//Adding a static modifier would make this accessible anywhere in your app
public Logger getLogger()
{
return java.util.logging.Logger.getLogger("MyLogFileName");
}
//call the method anywhere and append what you want to log
//Logger class will take care of putting timestamps for you
//plus the are ansychronously done so more of the
//processing power will go into your application
//from inside a function body in the same class ...{...
getLogger().log(Level.INFO,"the text you want to append");
...}...
/*********log file resides in server root log files********/
세 번째 코드는 실제로 텍스트를 추가하기 때문에 세 줄의 코드 두 줄입니다. :피
도서관
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileWriter;
import java.io.IOException;
암호
public void append()
{
try
{
String path = "D:/sample.txt";
File file = new File(path);
FileWriter fileWriter = new FileWriter(file,true);
BufferedWriter bufferFileWriter = new BufferedWriter(fileWriter);
fileWriter.append("Sample text in the file to append");
bufferFileWriter.close();
System.out.println("User Registration Completed");
}catch(Exception ex)
{
System.out.println(ex);
}
}
당신은 또한 이것을 시도 할 수 있습니다 :
JFileChooser c= new JFileChooser();
c.showOpenDialog(c);
File write_file = c.getSelectedFile();
String Content = "Writing into file"; //what u would like to append to the file
try
{
RandomAccessFile raf = new RandomAccessFile(write_file, "rw");
long length = raf.length();
//System.out.println(length);
raf.setLength(length + 1); //+ (integer value) for spacing
raf.seek(raf.length());
raf.writeBytes(Content);
raf.close();
}
catch (Exception e) {
//any exception handling method of ur choice
}
나는 아파치 커먼즈 프로젝트를 제안 할지도 모른다 . 이 프로젝트는 이미 필요한 것을 수행하기위한 프레임 워크를 제공합니다 (예 : 유연한 컬렉션 필터링).
다음 방법으로 일부 파일에 텍스트를 추가 할 수 있습니다.
private void appendToFile(String filePath, String text)
{
PrintWriter fileWriter = null;
try
{
fileWriter = new PrintWriter(new BufferedWriter(new FileWriter(
filePath, true)));
fileWriter.println(text);
} catch (IOException ioException)
{
ioException.printStackTrace();
} finally
{
if (fileWriter != null)
{
fileWriter.close();
}
}
}
또는 다음을 사용하십시오 FileUtils
.
public static void appendToFile(String filePath, String text) throws IOException
{
File file = new File(filePath);
if(!file.exists())
{
file.createNewFile();
}
String fileContents = FileUtils.readFileToString(file);
if(file.length() != 0)
{
fileContents = fileContents.concat(System.lineSeparator());
}
fileContents = fileContents.concat(text);
FileUtils.writeStringToFile(file, fileContents);
}
효율적이지 않지만 잘 작동합니다. 줄 바꿈이 올바르게 처리되고 아직없는 경우 새 파일이 작성됩니다.
이 코드는 당신의 필요를 충족시킵니다 :
FileWriter fw=new FileWriter("C:\\file.json",true);
fw.write("ssssss");
fw.close();
특정 라인에 일부 텍스트 를 추가 하려면 먼저 전체 파일을 읽고 원하는 위치에 텍스트를 추가 한 다음 아래 코드와 같이 모든 것을 덮어 쓸 수 있습니다.
public static void addDatatoFile(String data1, String data2){
String fullPath = "/home/user/dir/file.csv";
File dir = new File(fullPath);
List<String> l = new LinkedList<String>();
try (BufferedReader br = new BufferedReader(new FileReader(dir))) {
String line;
int count = 0;
while ((line = br.readLine()) != null) {
if(count == 1){
//add data at the end of second line
line += data1;
}else if(count == 2){
//add other data at the end of third line
line += data2;
}
l.add(line);
count++;
}
br.close();
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
createFileFromList(l, dir);
}
public static void createFileFromList(List<String> list, File f){
PrintWriter writer;
try {
writer = new PrintWriter(f, "UTF-8");
for (String d : list) {
writer.println(d.toString());
}
writer.close();
} catch (FileNotFoundException | UnsupportedEncodingException e) {
e.printStackTrace();
}
}
내 대답 :
JFileChooser chooser= new JFileChooser();
chooser.showOpenDialog(chooser);
File file = chooser.getSelectedFile();
String Content = "What you want to append to file";
try
{
RandomAccessFile random = new RandomAccessFile(file, "rw");
long length = random.length();
random.setLength(length + 1);
random.seek(random.length());
random.writeBytes(Content);
random.close();
}
catch (Exception exception) {
//exception handling
}
/**********************************************************************
* it will write content to a specified file
*
* @param keyString
* @throws IOException
*********************************************************************/
public static void writeToFile(String keyString,String textFilePAth) throws IOException {
// For output to file
File a = new File(textFilePAth);
if (!a.exists()) {
a.createNewFile();
}
FileWriter fw = new FileWriter(a.getAbsoluteFile(), true);
BufferedWriter bw = new BufferedWriter(fw);
bw.append(keyString);
bw.newLine();
bw.close();
}// end of writeToFile()
다음 코드를 사용하여 파일의 내용을 추가 할 수 있습니다.
String fileName="/home/shriram/Desktop/Images/"+"test.txt";
FileWriter fw=new FileWriter(fileName,true);
fw.write("here will be you content to insert or append in file");
fw.close();
FileWriter fw1=new FileWriter(fileName,true);
fw1.write("another content will be here to be append in the same file");
fw1.close();
1.7 접근법 :
void appendToFile(String filePath, String content) throws IOException{
Path path = Paths.get(filePath);
try (BufferedWriter writer =
Files.newBufferedWriter(path,
StandardOpenOption.APPEND)) {
writer.newLine();
writer.append(content);
}
/*
//Alternative:
try (BufferedWriter bWriter =
Files.newBufferedWriter(path,
StandardOpenOption.WRITE, StandardOpenOption.APPEND);
PrintWriter pWriter = new PrintWriter(bWriter)
) {
pWriter.println();//to have println() style instead of newLine();
pWriter.append(content);//Also, bWriter.append(content);
}*/
}