web-dev-qa-db-ja.com

オブジェクトをCSVファイルにシリアル化する方法は?

オブジェクトをCSVファイルに書き込みたい。 XMLの場合、 this のようなXStreamがあります
オブジェクトをCSVに変換する場合、そのようなライブラリはありますか?

編集:BeanのすべてのフィールドをCSVに書き込むメソッドにBeanのリストを渡します。

20
NewBeee_Java

まず、シリアル化はオブジェクトを「そのまま」ファイルに書き込みます。私の知る限り、ファイル形式とすべてを選択することはできません。シリアル化されたオブジェクト(ファイル内)には、独自の「ファイル形式」があります

オブジェクト(またはオブジェクトのリスト)の内容をCSVファイルに書き込みたい場合は、自分で行うことができます。複雑なものであってはなりません。

Java CSV Library のように見えますが、私はこれを試していません。

[〜#〜] edit [〜#〜]:次のサンプルを参照してください。これは決して絶対確実ではありませんが、これに基づいて構築できます。

    //European countries use ";" as 
    //CSV separator because "," is their digit separator
    private static final String CSV_SEPARATOR = ",";
    private static void writeToCSV(ArrayList<Product> productList)
    {
        try
        {
            BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(new FileOutputStream("products.csv"), "UTF-8"));
            for (Product product : productList)
            {
                StringBuffer oneLine = new StringBuffer();
                oneLine.append(product.getId() <=0 ? "" : product.getId());
                oneLine.append(CSV_SEPARATOR);
                oneLine.append(product.getName().trim().length() == 0? "" : product.getName());
                oneLine.append(CSV_SEPARATOR);
                oneLine.append(product.getCostPrice() < 0 ? "" : product.getCostPrice());
                oneLine.append(CSV_SEPARATOR);
                oneLine.append(product.isVatApplicable() ? "Yes" : "No");
                bw.write(oneLine.toString());
                bw.newLine();
            }
            bw.flush();
            bw.close();
        }
        catch (UnsupportedEncodingException e) {}
        catch (FileNotFoundException e){}
        catch (IOException e){}
    }

これは製品です(読みやすくするために非表示のゲッターとセッター):

class Product
{
    private long id;
    private String name;
    private double costPrice;
    private boolean vatApplicable;
}

そして、これは私がテストした方法です:

public static void main(String[] args)
{
    ArrayList<Product> productList = new ArrayList<Product>();
    productList.add(new Product(1, "Pen", 2.00, false));
    productList.add(new Product(2, "TV", 300, true));
    productList.add(new Product(3, "iPhone", 500, true));
    writeToCSV(productList);
}

お役に立てれば。

乾杯。

21
Nivas

私がちょうど遭遇した2つのオプション:

4
mmasters

CSVに簡単にアクセスできるように、 OpenCSV というライブラリがあります。 CSVファイルのコンテンツへのアクセスが本当に簡単になります。

[〜#〜] edit [〜#〜]

あなたの更新によると、以前の返信はすべて間違っていると考えています(レベルが低いため)。実際には、まったく異なる方法、休止状態の方法を使用できます。

CsvJdbc ドライバーを使用すると、CSVファイルをJDBCデータソースとしてロードし、Beanをこのデータソースに直接マッピングできます。

CSVObjects についてお話ししましたが、サイトが壊れているように見えるので、最近はライブラリが利用できないのではないかと心配しています。

4
Riduidel

Csvシリアライザーを使用すると、他のシリアル化方法と比較して最小限のスペースしか占有しないため、興味深いでしょう。

Csvに対するJavaオブジェクトの最も近いサポートは、spring utilsプロジェクトによって提供されるstringutilsです

arrayToCommaDelimitedString(Object [] arr)しかし、シリアライザーになるにはほど遠いです。

リフレクションを使用して値オブジェクトをシリアル化するシンプルなユーティリティを次に示します

public class CSVWriter
{
private static String produceCsvData(Object[] data) throws IllegalArgumentException, IllegalAccessException, InvocationTargetException
{
    if(data.length==0)
    {
        return "";
    }

    Class classType = data[0].getClass();
    StringBuilder builder = new StringBuilder();

    Method[] methods = classType.getDeclaredMethods();

    for(Method m : methods)
    {
        if(m.getParameterTypes().length==0)
        {
            if(m.getName().startsWith("get"))
            {
                builder.append(m.getName().substring(3)).append(',');
            }
            else if(m.getName().startsWith("is"))
            {
                builder.append(m.getName().substring(2)).append(',');
            }

        }

    }
    builder.deleteCharAt(builder.length()-1);
    builder.append('\n');
    for(Object d : data)
    {
        for(Method m : methods)
        {
            if(m.getParameterTypes().length==0)
            {
                if(m.getName().startsWith("get") || m.getName().startsWith("is"))
                {
                    System.out.println(m.invoke(d).toString());
                    builder.append(m.invoke(d).toString()).append(',');
                }
            }
        }
        builder.append('\n');
    }
    builder.deleteCharAt(builder.length()-1);
    return builder.toString();
}

public static boolean generateCSV(File csvFileName,Object[] data)
{
    FileWriter fw = null;
    try
    {
        fw = new FileWriter(csvFileName);
        if(!csvFileName.exists())
            csvFileName.createNewFile();
        fw.write(produceCsvData(data));
        fw.flush();
    }
    catch(Exception e)
    {
        System.out.println("Error while generating csv from data. Error message : " + e.getMessage());
        e.printStackTrace();
        return false;
    }
    finally
    {
        if(fw!=null)
        {
            try
            {
                fw.close();
            }
            catch(Exception e)
            {
            }
            fw=null;
        }
    }
    return true;
}

}

ここに値オブジェクトの例があります

public class Product {
private String name;
private double price;
private int identifier;
private boolean isVatApplicable;
public Product(String name, double price, int identifier,
        boolean isVatApplicable) {
    super();
    this.name = name;
    this.price = price;
    this.identifier = identifier;
    this.isVatApplicable = isVatApplicable;
}
public String getName() {
    return name;
}
public void setName(String name) {
    this.name = name;
}
public double getPrice() {
    return price;
}
public void setPrice(long price) {
    this.price = price;
}
public int getIdentifier() {
    return identifier;
}
public void setIdentifier(int identifier) {
    this.identifier = identifier;
}
public boolean isVatApplicable() {
    return isVatApplicable;
}
public void setVatApplicable(boolean isVatApplicable) {
    this.isVatApplicable = isVatApplicable;
}

}

utilを実行するコード

public class TestCSV 
{
public static void main(String... a)
{
    Product[] list = new Product[5];
    list[0] = new Product("dvd", 24.99, 967, true);
    list[1] = new Product("pen", 4.99, 162, false);
    list[2] = new Product("ipad", 624.99, 234, true);
    list[3] = new Product("crayons", 4.99,127, false);
    list[4] = new Product("laptop", 1444.99, 997, true);
    CSVWriter.generateCSV(new File("C:\\products.csv"),list);
}

}

出力:

Name    VatApplicable   Price   Identifier
dvd     true            24.99   967
pen     false           4.99    162
ipad    true            624.99  234
crayons false           4.99    127
laptop  true            1444.99 997
3
user1057653

返信が非常に遅いにもかかわらず、さまざまなプロジェクトでJavaがCSV、Excelなどにエクスポートされ、UIでエクスポート機能を提供する必要がある場合)をエクスポートするという問題に直面しました。

独自の軽量フレームワークを作成しました。任意のJava Beansで動作します。CSV、Excelなどにエクスポートするフィールドに注釈を追加するだけです。

リンク: https://github.com/abhisoni96/dev-tools

0
Abhishek Soni

ハンドルバーライブラリ https://github.com/jknack/handlebars.Java がtoCSVを含む多くの変換タスクを単純化できることに言及する価値があります。

0
aggaton

OpenCSVを使用し、2つのstatic publicメソッドを持つ単純なクラスを作成しました。

static public File toCSVFile(Object object, String path, String name) {
    File pathFile = new File(path);
    pathFile.mkdirs();
    File returnFile = new File(path + name);
    try {

        CSVWriter writer = new CSVWriter(new FileWriter(returnFile));
        writer.writeNext(new String[]{"Member Name in Code", "Stored Value", "Type of Value"});
        for (Field field : object.getClass().getDeclaredFields()) {
            writer.writeNext(new String[]{field.getName(), field.get(object).toString(), field.getType().getName()});
        }
        writer.flush();
        writer.close();
        return returnFile;
    } catch (IOException e) {
        Log.e("EasyStorage", "Easy Storage toCSVFile failed.", e);
        return null;
    } catch (IllegalAccessException e) {
        Log.e("EasyStorage", "Easy Storage toCSVFile failed.", e);
        return null;
    }
}

static public void fromCSVFile(Object object, File file) {
    try {
        CSVReader reader = new CSVReader(new FileReader(file));
        String[] nextLine = reader.readNext(); // Ignore the first line.
        while ((nextLine = reader.readNext()) != null) {
            if (nextLine.length >= 2) {
                try {
                    Field field = object.getClass().getDeclaredField(nextLine[0]);
                    Class<?> rClass = field.getType();
                    if (rClass == String.class) {
                        field.set(object, nextLine[1]);
                    } else if (rClass == int.class) {
                        field.set(object, Integer.parseInt(nextLine[1]));
                    } else if (rClass == boolean.class) {
                        field.set(object, Boolean.parseBoolean(nextLine[1]));
                    } else if (rClass == float.class) {
                        field.set(object, Float.parseFloat(nextLine[1]));
                    } else if (rClass == long.class) {
                        field.set(object, Long.parseLong(nextLine[1]));
                    } else if (rClass == short.class) {
                        field.set(object, Short.parseShort(nextLine[1]));
                    } else if (rClass == double.class) {
                        field.set(object, Double.parseDouble(nextLine[1]));
                    } else if (rClass == byte.class) {
                        field.set(object, Byte.parseByte(nextLine[1]));
                    } else if (rClass == char.class) {
                        field.set(object, nextLine[1].charAt(0));
                    } else {
                        Log.e("EasyStorage", "Easy Storage doesn't yet support extracting " + rClass.getSimpleName() + " from CSV files.");
                    }
                } catch (NoSuchFieldException e) {
                    Log.e("EasyStorage", "Easy Storage fromCSVFile failed.", e);
                } catch (IllegalAccessException e) {
                    Log.e("EasyStorage", "Easy Storage fromCSVFile failed.", e);

                }
            } // Close if (nextLine.length >= 2)
        } // Close while ((nextLine = reader.readNext()) != null)
    } catch (FileNotFoundException e) {
        Log.e("EasyStorage", "Easy Storage fromCSVFile failed.", e);
    } catch (IOException e) {
        Log.e("EasyStorage", "Easy Storage fromCSVFile failed.", e);
    } catch (IllegalArgumentException e) {
        Log.e("EasyStorage", "Easy Storage fromCSVFile failed.", e);
    }
}

いくつかの単純な再帰により、これらのメソッドを変更して、任意のJavaオブジェクトを処理できますが、私にとってはこれで十分でした。

0
ArtOfWarfare