web-dev-qa-db-ja.com

ファイルを作成してJavaで書き込む方法を教えてください。

Javaで(テキスト)ファイルを作成して書き込むための最も簡単な方法は何ですか?

1266
Drew Johnson

以下の各コードサンプルはIOExceptionをスローすることがあるので注意してください。try/catch/finallyブロックは簡潔にするために省略されています。例外処理については this tutorial を参照してください。

以下の各コードサンプルは、ファイルが既に存在する場合は上書きします

テキストファイルを作成します。

PrintWriter writer = new PrintWriter("the-file-name.txt", "UTF-8");
writer.println("The first line");
writer.println("The second line");
writer.close();

バイナリファイルを作成する:

byte data[] = ...
FileOutputStream out = new FileOutputStream("the-file-name");
out.write(data);
out.close();

Java 7+ ユーザーは Files クラスを使用してファイルに書き込むことができます。

テキストファイルを作成します。

List<String> lines = Arrays.asList("The first line", "The second line");
Path file = Paths.get("the-file-name.txt");
Files.write(file, lines, Charset.forName("UTF-8"));
//Files.write(file, lines, Charset.forName("UTF-8"), StandardOpenOption.APPEND);

バイナリファイルを作成する:

byte data[] = ...
Path file = Paths.get("the-file-name");
Files.write(file, data);
//Files.write(file, data, StandardOpenOption.APPEND);
1598
Michael

Java 7以降の場合

try (Writer writer = new BufferedWriter(new OutputStreamWriter(
              new FileOutputStream("filename.txt"), "utf-8"))) {
   writer.write("something");
}

しかし、それには便利なユーティリティがあります。

can FileWriterを使うこともできますが、デフォルトのエンコーディングを使うことがよくあります。

以下は、Java 7以前の元の答えです。


Writer writer = null;

try {
    writer = new BufferedWriter(new OutputStreamWriter(
          new FileOutputStream("filename.txt"), "utf-8"));
    writer.write("Something");
} catch (IOException ex) {
    // Report
} finally {
   try {writer.close();} catch (Exception ex) {/*ignore*/}
}

ファイルの読み取り、書き込み、および作成 (NIO2を含む)も参照してください。

390
Bozho

ファイルに書き込みたいコンテンツが既に(そしてその場では生成されずに)ある場合は、ネイティブI/Oの一部としてのJava 7の Java.nio.file.Files 追加を使用すると、最も簡単で効率的な目標を達成できます。 。

基本的にファイルの作成とファイルへの書き込みは1行だけです、さらに 1つの単純なメソッド呼び出し

次の例では、6つの異なるファイルを作成して書き込み、その使用方法を紹介します。

Charset utf8 = StandardCharsets.UTF_8;
List<String> lines = Arrays.asList("1st line", "2nd line");
byte[] data = {1, 2, 3, 4, 5};

try {
    Files.write(Paths.get("file1.bin"), data);
    Files.write(Paths.get("file2.bin"), data,
            StandardOpenOption.CREATE, StandardOpenOption.APPEND);
    Files.write(Paths.get("file3.txt"), "content".getBytes());
    Files.write(Paths.get("file4.txt"), "content".getBytes(utf8));
    Files.write(Paths.get("file5.txt"), lines, utf8);
    Files.write(Paths.get("file6.txt"), lines, utf8,
            StandardOpenOption.CREATE, StandardOpenOption.APPEND);
} catch (IOException e) {
    e.printStackTrace();
}
123
icza
public class Program {
    public static void main(String[] args) {
        String text = "Hello world";
        BufferedWriter output = null;
        try {
            File file = new File("example.txt");
            output = new BufferedWriter(new FileWriter(file));
            output.write(text);
        } catch ( IOException e ) {
            e.printStackTrace();
        } finally {
          if ( output != null ) {
            output.close();
          }
        }
    }
}
71
Eric Petroelje

これはファイルを作成または上書きするための小さなプログラム例です。それは長いバージョンなので、より簡単に理解することができます。

import Java.io.BufferedWriter;
import Java.io.File;
import Java.io.FileOutputStream;
import Java.io.IOException;
import Java.io.OutputStreamWriter;
import Java.io.Writer;

public class writer {
    public void writing() {
        try {
            //Whatever the file path is.
            File statText = new File("E:/Java/Reference/bin/images/statsTest.txt");
            FileOutputStream is = new FileOutputStream(statText);
            OutputStreamWriter osw = new OutputStreamWriter(is);    
            Writer w = new BufferedWriter(osw);
            w.write("POTATO!!!");
            w.close();
        } catch (IOException e) {
            System.err.println("Problem writing to the file statsTest.txt");
        }
    }

    public static void main(String[]args) {
        writer write = new writer();
        write.writing();
    }
}
41
Draeven

つかいます:

try (Writer writer = new BufferedWriter(new OutputStreamWriter(new FileOutputStream("myFile.txt"), StandardCharsets.UTF_8))) {
    writer.write("text to write");
} 
catch (IOException ex) {
    // Handle me
}  

try()を使用すると自動的にストリームを閉じます。このバージョンは短く、速く(バッファされて)エンコードを選択することができます。

この機能はJava 7で導入されました。

32
icl7126

Javaでファイルを作成してファイルに書き込む非常に簡単な方法:

import Java.io.BufferedWriter;
import Java.io.File;
import Java.io.FileWriter;

public class CreateFiles {

    public static void main(String[] args) {
        try{
            // Create new file
            String content = "This is the content to write into create file";
            String path="D:\\a\\hi.txt";
            File file = new File(path);

            // If file doesn't exists, then create it
            if (!file.exists()) {
                file.createNewFile();
            }

            FileWriter fw = new FileWriter(file.getAbsoluteFile());
            BufferedWriter bw = new BufferedWriter(fw);

            // Write in file
            bw.write(content);

            // Close connection
            bw.close();
        }
        catch(Exception e){
            System.out.println(e);
        }
    }
}

参照: ファイル作成のJavaでの例

31
Anuj Dhiman

ここではテキストファイルに文字列を入力しています。

String content = "This is the content to write into a file";
File file = new File("filename.txt");
FileWriter fw = new FileWriter(file.getAbsoluteFile());
BufferedWriter bw = new BufferedWriter(fw);
bw.write(content);
bw.close(); // Be sure to close BufferedWriter

新しいファイルを簡単に作成してそこにコンテンツを追加することができます。

18
iKing

比較的痛みのない経験をしたい場合は、 Apache Commons IOパッケージ 、さらに詳しくは FileUtilsクラス をご覧ください。

サードパーティのライブラリをチェックすることを忘れないでください。 Joda-Time 日付操作用、 Apache Commons Lang StringUtils 一般的な文字列操作用など、コードを読みやすくすることができます。

Javaは素晴らしい言語ですが、標準ライブラリは少し低レベルのものもあります。それにもかかわらず、強力ですが低レベルです。

15
extraneon

(SunとIBMの両方によって、そしてこれらは技術的に最も普及しているJVMである)EoLされているJavaバージョンのためのソリューションを必要とするかどうかを著者が指定していないので。それが テキスト(非バイナリ) ファイルであることが指定される前の著者の質問、私は私の答えを提供することにしました。


まず第一に、Java 6は一般的に廃止されており、作者は彼がレガシー互換性を必要とすることを指定しなかったので、私はそれが自動的にJava 7以上を意味すると思います。だから、私たちはファイルI/Oチュートリアルを正しく見ることができます: https://docs.Oracle.com/javase/tutorial/essential/io/legacy.html

Java SE 7より前のリリースでは、Java.io.Fileクラスはファイル入出力に使用されるメカニズムでしたが、いくつかの欠点がありました。

  • 多くのメソッドは失敗しても例外をスローしませんでした。そのため、有用なエラーメッセージを取得することは不可能でした。たとえば、ファイルの削除に失敗した場合、プログラムは「削除の失敗」を受け取りますが、ファイルが存在しなかった、ユーザーに権限がない、またはその他の問題が原因であるかどうかわかりません。
  • 名前の変更方法は、プラットフォーム間で一貫して機能しませんでした。
  • シンボリックリンクに対する実際のサポートはありませんでした。
  • ファイルのアクセス許可、ファイルの所有者、その他のセキュリティ属性など、メタデータのサポートを強化することが望まれていました。ファイルメタデータへのアクセスは非効率的でした。
  • Fileメソッドの多くは拡張できませんでした。サーバー上で大きなディレクトリ一覧を要求すると、ハングアップする可能性があります。大きなディレクトリもメモリリソースの問題を引き起こし、結果としてサービス拒否を引き起こす可能性があります。
  • 循環的なシンボリックリンクがあると、ファイルツリーを再帰的に調べて適切に応答できる信頼性の高いコードを書くことは不可能でした。

まあ、それはJava.io.Fileを除外します。ファイルに書き込みや追加ができない場合は、その理由さえわからないかもしれません。


チュートリアルを見続けることができます: https://docs.Oracle.com/javase/tutorial/essential/io/file.html#common

テキストファイルに事前に書き込む(追加する)行がすべてある場合は、 、推奨される方法は https://docs.Oracle.com/javase/8/docs/api/Java/です。 nio/file/Files.html#write-Java.nio.file.Path-Java.lang.Iterable-Java.nio.charset.Charset-Java.nio.file.OpenOption ...-

これが(単純化された)例です。

Path file = ...;
List<String> linesInMemory = ...;
Files.write(file, linesInMemory, StandardCharsets.UTF_8);

別の例(追加):

Path file = ...;
List<String> linesInMemory = ...;
Files.write(file, linesInMemory, Charset.forName("desired charset"), StandardOpenOption.CREATE, StandardOpenOption.APPEND, StandardOpenOption.WRITE);

ファイルの内容を読みながら書きたい場合 https://docs.Oracle.com/javase/8/docs/api/Java/nio/file/Files.html#newBufferedWriter-Java .nio.file.Path-Java.nio.charset.Charset-Java.nio.file.OpenOption ...-

簡単な例(Java 8以上):

Path file = ...;
try (BufferedWriter writer = Files.newBufferedWriter(file)) {
    writer.append("Zero header: ").append('0').write("\r\n");
    [...]
}

別の例(追加):

Path file = ...;
try (BufferedWriter writer = Files.newBufferedWriter(file, Charset.forName("desired charset"), StandardOpenOption.CREATE, StandardOpenOption.APPEND, StandardOpenOption.WRITE)) {
    writer.write("----------");
    [...]
}

これらの方法は作者の側で最小限の労力を必要とし、[text]ファイルに書くとき他のすべてのものよりも好まれるべきです。

13
afk5min

何らかの理由で作成と書き込みの動作を分離したい場合、touchと同等のJavaは次のようになります。

try {
   //create a file named "testfile.txt" in the current working directory
   File myFile = new File("testfile.txt");
   if ( myFile.createNewFile() ) {
      System.out.println("Success!");
   } else {
      System.out.println("Failure!");
   }
} catch ( IOException ioe ) { ioe.printStackTrace(); }

createNewFile()は存在チェックとファイル作成を自動的に行います。たとえば、ファイルに書き込む前に自分がファイルの作成者であることを確認したい場合に便利です。

10
Mark Peters

つかいます:

JFileChooser c = new JFileChooser();
c.showOpenDialog(c);
File writeFile = c.getSelectedFile();
String content = "Input the data here to be written to your file";

try {
    FileWriter fw = new FileWriter(writeFile);
    BufferedWriter bw = new BufferedWriter(fw);
    bw.append(content);
    bw.append("hiiiii");
    bw.close();
    fw.close();
}
catch (Exception exc) {
   System.out.println(exc);
}
9
Rohit ZP

これが最短の方法だと思います。

FileWriter fr = new FileWriter("your_file_name.txt"); // After '.' write
// your file extention (".txt" in this case)
fr.write("Things you want to write into the file"); // Warning: this will REPLACE your old file content!
fr.close();
8
ben

既存のファイルを上書きせずにファイルを作成するには

System.out.println("Choose folder to create file");
JFileChooser c = new JFileChooser();
c.setFileSelectionMode(JFileChooser.DIRECTORIES_ONLY);
c.showOpenDialog(c);
c.getSelectedFile();
f = c.getSelectedFile(); // File f - global variable
String newfile = f + "\\hi.doc";//.txt or .doc or .html
File file = new File(newfile);

try {
    //System.out.println(f);
    boolean flag = file.createNewFile();

    if(flag == true) {
        JOptionPane.showMessageDialog(rootPane, "File created successfully");
    }
    else {
        JOptionPane.showMessageDialog(rootPane, "File already exists");
    }
    /* Or use exists() function as follows:
        if(file.exists() == true) {
            JOptionPane.showMessageDialog(rootPane, "File already exists");
        }
        else {
            JOptionPane.showMessageDialog(rootPane, "File created successfully");
        }
    */
}
catch(Exception e) {
    // Any exception handling method of your choice
}
7
aashima

Javaでファイルを作成して書き込むためのいくつかの方法があります。

FileOutputStreamを使用する

try {
  File fout = new File("myOutFile.txt");
  FileOutputStream fos = new FileOutputStream(fout);
  BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(fos));
  bw.write("Write somthing to the file ...");
  bw.newLine();
  bw.close();
} catch (FileNotFoundException e){
  // File was not found
  e.printStackTrace();
} catch (IOException e) {
  // Problem when writing to the file
  e.printStackTrace();
}

FileWriterを使用する

try {
  FileWriter fw = new FileWriter("myOutFile.txt");
  fw.write("Example of content");
  fw.close();
} catch (FileNotFoundException e) {
  // File not found
  e.printStackTrace();
} catch (IOException e) {
  // Error when writing to the file
  e.printStackTrace();
}

PrintWriterを使用する

try {
  PrintWriter pw = new PrintWriter("myOutFile.txt");
  pw.write("Example of content");
  pw.close();
} catch (FileNotFoundException e) {
  // File not found
  e.printStackTrace();
} catch (IOException e) {
  // Error when writing to the file
  e.printStackTrace();
}

OutputStreamWriterを使用する

try {
  File fout = new File("myOutFile.txt");
  FileOutputStream fos = new FileOutputStream(fout);
  OutputStreamWriter osw = new OutputStreamWriter(fos);
  osw.write("Soe content ...");
  osw.close();
} catch (FileNotFoundException e) {
  // File not found
  e.printStackTrace();
} catch (IOException e) {
  // Error when writing to the file
  e.printStackTrace();
}

このチュートリアルの詳細については、 Javaでファイルを読み書きする方法 を参照してください。

7
Mehdi
import Java.io.File;
import Java.io.FileWriter;
import Java.io.IOException;

public class FileWriterExample {
    public static void main(String [] args) {
        FileWriter fw= null;
        File file =null;
        try {
            file=new File("WriteFile.txt");
            if(!file.exists()) {
                file.createNewFile();
            }
            fw = new FileWriter(file);
            fw.write("This is an string written to a file");
            fw.flush();
            fw.close();
            System.out.println("File written Succesfully");
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
}
6
Anurag Goel
package fileoperations;
import Java.io.File;
import Java.io.IOException;

public class SimpleFile {
    public static void main(String[] args) throws IOException {
        File file =new File("text.txt");
        file.createNewFile();
        System.out.println("File is created");
        FileWriter writer = new FileWriter(file);

        // Writes the content to the file
        writer.write("Enter the text that you want to write"); 
        writer.flush();
        writer.close();
        System.out.println("Data is entered into file");
    }
}
6

一行だけ! pathlineは文字列です

import Java.nio.file.Files;
import Java.nio.file.Paths;

Files.write(Paths.get(path), lines.getBytes());
5
Ran Adler

私が見つけることができる最も簡単な方法:

Path sampleOutputPath = Paths.get("/tmp/testfile")
try (BufferedWriter writer = Files.newBufferedWriter(sampleOutputPath)) {
    writer.write("Hello, world!");
}

おそらく1.7以上でしか動かないでしょう。

5
qed

最良の方法は、Java7を使用することです。 Java 7は、新しいユーティリティクラスであるファイルと共に、ファイルシステムを操作するための新しい方法を導入します。 Filesクラスを使用して、ファイルとディレクトリを作成、移動、コピー、削除することもできます。ファイルの読み書きにも使用できます。

public void saveDataInFile(String data) throws IOException {
    Path path = Paths.get(fileName);
    byte[] strToBytes = data.getBytes();

    Files.write(path, strToBytes);
}

FileChannelを使って書く あなたが大きなファイルを扱っているなら、FileChannelは標準のIOより速いかもしれません。次のコードは、FileChannelを使用してファイルに文字列を書き込みます。

public void saveDataInFile(String data) 
  throws IOException {
    RandomAccessFile stream = new RandomAccessFile(fileName, "rw");
    FileChannel channel = stream.getChannel();
    byte[] strBytes = data.getBytes();
    ByteBuffer buffer = ByteBuffer.allocate(strBytes.length);
    buffer.put(strBytes);
    buffer.flip();
    channel.write(buffer);
    stream.close();
    channel.close();
}

DataOutputStreamで書き込みます

public void saveDataInFile(String data) throws IOException {
    FileOutputStream fos = new FileOutputStream(fileName);
    DataOutputStream outStream = new DataOutputStream(new BufferedOutputStream(fos));
    outStream.writeUTF(data);
    outStream.close();
}

FileOutputStreamで書き込みます

それでは、FileOutputStreamを使用してバイナリデータをファイルに書き込む方法を見てみましょう。次のコードは、Stringのintバイトを変換し、FileOutputStreamを使用してそのバイトをファイルに書き込みます。

public void saveDataInFile(String data) throws IOException {
    FileOutputStream outputStream = new FileOutputStream(fileName);
    byte[] strToBytes = data.getBytes();
    outputStream.write(strToBytes);

    outputStream.close();
}

PrintWriterで書く PrintWriterを使ってフォーマットされたテキストをファイルに書き込むことができます。

public void saveDataInFile() throws IOException {
    FileWriter fileWriter = new FileWriter(fileName);
    PrintWriter printWriter = new PrintWriter(fileWriter);
    printWriter.print("Some String");
    printWriter.printf("Product name is %s and its price is %d $", "iPhone", 1000);
    printWriter.close();
}

BufferedWriterで書き込みます。 新しいファイルに文字列を書き込むにはBufferedWriterを使用します。

public void saveDataInFile(String data) throws IOException {
    BufferedWriter writer = new BufferedWriter(new FileWriter(fileName));
    writer.write(data);

    writer.close();
}

既存のファイルに文字列を追加します。

public void saveDataInFile(String data) throws IOException {
    BufferedWriter writer = new BufferedWriter(new FileWriter(fileName, true));
    writer.append(' ');
    writer.append(data);

    writer.close();
}
5
sajad abbasi

入力ストリームと出力ストリームを使用したファイルの読み書き

//Coded By Anurag Goel
//Reading And Writing Files
import Java.io.FileInputStream;
import Java.io.FileOutputStream;
import Java.io.IOException;
import Java.io.InputStream;
import Java.io.OutputStream;


public class WriteAFile {
    public static void main(String args[]) {
        try {
            byte array [] = {'1','a','2','b','5'};
            OutputStream os = new FileOutputStream("test.txt");
            for(int x=0; x < array.length ; x++) {
                os.write( array[x] ); // Writes the bytes
            }
            os.close();

            InputStream is = new FileInputStream("test.txt");
            int size = is.available();

            for(int i=0; i< size; i++) {
                System.out.print((char)is.read() + " ");
            }
            is.close();
        } catch(IOException e) {
            System.out.print("Exception");
        }
    }
}
4
Anurag Goel

このパッケージを含めるだけです。

Java.nio.file

そして、このコードを使ってファイルを書くことができます。

Path file = ...;
byte[] buf = ...;
Files.write(file, buf);
4
user4880283

Java 7+を試してみる価値があります。

 Files.write(Paths.get("./output.txt"), "Information string herer".getBytes());

それは有望に見えます...

4
Olu Smith

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();
    }
}

注意すべき点がいくつかあります。

  1. Charsetエンコーディングを指定することは常に良い習慣です。そのためにクラスStandardCharsetsには定数があります。
  2. コードは、試行後にリソースが自動的に閉じられる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();
}
4
i_am_zero

システムプロパティ を使用して一時ファイルを作成することもできます。これは、使用しているOSとは無関係です。

File file = new File(System.*getProperty*("Java.io.tmpdir") +
                     System.*getProperty*("file.separator") +
                     "YourFileName.txt");
3
Muhammed Sayeed

Java 8ではファイルとパスを使用し、try-with-resourcesコンストラクトを使用します。

import Java.io.BufferedWriter;
import Java.io.IOException;
import Java.nio.file.Files;
import Java.nio.file.Paths;

public class WriteFile{
    public static void main(String[] args) throws IOException {
        String file = "text.txt";
        System.out.println("Writing to file: " + file);
        // Files.newBufferedWriter() uses UTF-8 encoding by default
        try (BufferedWriter writer = Files.newBufferedWriter(Paths.get(file))) {
            writer.write("Java\n");
            writer.write("Python\n");
            writer.write("Clojure\n");
            writer.write("Scala\n");
            writer.write("JavaScript\n");
        } // the file will be automatically closed
    }
}
3
praveenraj4ever

以下のような簡単な方法がいくつかあります。

File file = new File("filename.txt");
PrintWriter pw = new PrintWriter(file);

pw.write("The world I'm coming");
pw.close();

String write = "Hello World!";

FileWriter fw = new FileWriter(file);
BufferedWriter bw = new BufferedWriter(fw);

fw.write(write);

fw.close();
3
imvp

JFilechooserを使って、顧客とコレクションを読み、ファイルに保存する。

private void writeFile(){

    JFileChooser fileChooser = new JFileChooser(this.PATH);
    int retValue = fileChooser.showDialog(this, "Save File");

    if (retValue == JFileChooser.APPROVE_OPTION){

        try (Writer fileWrite = new BufferedWriter(new OutputStreamWriter(new FileOutputStream(fileChooser.getSelectedFile())))){

            this.customers.forEach((c) ->{
                try{
                    fileWrite.append(c.toString()).append("\n");
                }
                catch (IOException ex){
                    ex.printStackTrace();
                }
            });
        }
        catch (IOException e){
            e.printStackTrace();
        }
    }
}
2
hasskell

GoogleのGuavaライブラリを使用すると、ファイルを簡単に作成してファイルに書き込むことができます。

package com.zetcode.writetofileex;

import com.google.common.io.Files;
import Java.io.File;
import Java.io.IOException;

public class WriteToFileEx {

    public static void main(String[] args) throws IOException {

        String fileName = "fruits.txt";
        File file = new File(fileName);

        String content = "banana, orange, lemon, Apple, Plum";

        Files.write(content.getBytes(), file);
    }
}

例では、プロジェクトのルートディレクトリに新しいfruits.txtファイルを作成します。

2
Jan Bodnar

サンプルファイルを作成します。

try {
    File file = new File ("c:/new-file.txt");
    if(file.createNewFile()) {
        System.out.println("Successful created!");
    }
    else {
        System.out.println("Failed to create!");
    }
}
catch (IOException e) {
    e.printStackTrace();
}
0
sultan