1

CSVを配列に読み込みたいのですが、csvがセル内に改行を含んでいます。

CSV ( csvdata )

タイトル、説明、タグ、カテゴリ、非公開、画像
MyGreatTitle1,"この行の後は空白行
空白行の後のテキスト",techno,Tech,FALSE,C:\blogpostimg\img1.jpg
MyGreatTitle2,"この行の後は空白行
空白行の後のテキスト",techno,Tech,FALSE,C:\blogpostimg\img2.jpg
MyGreatTitle3,"この行が空白になった後
空白行の後のテキスト",techno,Tech,FALSE,C:\blogpostimg\img3.jpg
MyGreatTitle4,"この行が空白になった後
空白行の後のテキスト",techno,Tech,FALSE,C:\blogpostimg\img4.jpg
MyGreatTitle5,"この行が空白になった後
空白行の後のテキスト",techno,Tech,FALSE,C:\blogpostimg\img5.jpg
MyGreatTitle6,"この行の後は空白行
空白行の後のテキスト",techno,Tech,FALSE,C:\blogpostimg\img6.jpg

私はこのコードを使用します:

string dir = AppDomain.CurrentDomain.BaseDirectory + @"blogpost";
string[] allLines = File.ReadAllLines(dir + "csvdatabase.csv");

セル内ではなく、csvを1行ずつ読み取る方法は?

4

1 に答える 1

2

cirrus が言ったように、おそらく専用の CSV ライブラリを使用する必要がありますが、自分でやりたい (またはその方法を理解している) 場合は、簡単に記述された CSV パーサーを参考にしてください。完全な CSV 標準を処理するのではなく、特定の要件のみを処理します。

public class CsvParser
{
    private readonly List<List<string>> entries = new List<List<string>>();
    private string currentEntry = "";
    private bool insideQuotation;

    /// <summary>
    ///   Returns all scanned entries.
    ///   Outer IEnumerable = rows,
    ///   inner IEnumerable = columns of the corresponding row.
    /// </summary>
    public IEnumerable<IEnumerable<string>> Entries
    {
        get { return entries; }
    }

    public void ScanNextLine(string line)
    {
        // At the beginning of the line
        if (!insideQuotation)
        {
            entries.Add(new List<string>());
        }

        // The characters of the line
        foreach (char c in line)
        {
            if (insideQuotation)
            {
                if (c == '"')
                {
                    insideQuotation = false;
                }
                else
                {
                    currentEntry += c;
                }
            }
            else if (c == ',')
            {
                entries[entries.Count - 1].Add(currentEntry);
                currentEntry = "";
            }
            else if (c == '"')
            {
                insideQuotation = true;
            }
            else
            {
                currentEntry += c;
            }
        }

        // At the end of the line
        if (!insideQuotation)
        {
            entries[entries.Count - 1].Add(currentEntry);
            currentEntry = "";
        }
        else
        {
            currentEntry += "\n";
        }
    }
}

internal class Program
{
    private static void Main(string[] args)
    {
        string dir = AppDomain.CurrentDomain.BaseDirectory + @"blogpost";
        string[] allLines = File.ReadAllLines(dir + "csvdatabase.csv");

        CsvParser parser = new CsvParser();
        foreach (string line in allLines )
        {
            parser.ScanNextLine(line);
        }
    }
}
于 2013-01-07T14:52:50.013 に答える