我需要一个脚本,该脚本从特定的文件路径打开CSV,删除特定的列,然后将CSV导出到指定的文件夹。
由于稍后将与之集成的其他脚本,我决定使用C#进行此操作。
我以前使用过Perl并获得了预期的结果,但是它不适合我的应用程序。
我在找到此代码的地方找到了link;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.IO;
namespace CSV
{
class CSV
{
private Dictionary<Tuple<int, int>, string> _data;
private int _rows;
private int _cols;
public int Rows { get { return _rows; } }
public int Cols { get { return _cols; } }
public CSV()
{
Clear();
}
public void Clear()
{
_rows = 0;
_cols = 0;
_data = new Dictionary<Tuple<int, int>, string>();
}
public void Open(StreamReader stream, char delim = ',')
{
string line;
int col = 0;
int row = 0;
Clear();
while ((line = stream.ReadLine()) != null)
{
if (line.Length > 0)
{
string[] values = line.Split(delim);
col = 0;
foreach (var value in values)
{
this[col, row] = value;
col++;
}
row++;
}
}
stream.Close();
}
public void Save(StreamWriter stream, char delim = ',')
{
for (int row = 0; row < _rows; row++)
{
for (int col = 0; col < _cols; col++)
{
stream.Write(this[col, row]);
if (col < _cols - 1)
{
stream.Write(delim);
}
}
stream.WriteLine();
}
stream.Flush();
stream.Close();
}
public string this[int col, int row]
{
get
{
try
{
return _data[new Tuple<int, int>(col, row)];
}
catch
{
return "";
}
}
set
{
_data[new Tuple<int, int>(col, row)] = value.ToString().Trim();
_rows = Math.Max(_rows, row + 1);
_cols = Math.Max(_cols, col + 1);
}
}
static void Main(string[] args)
{
CSV csv = new CSV();
csv.Open(new StreamReader(@"C:\mid\Dev\CSV_Splitter\VR_Path\New\Import_User_Sample_en.csv"));
csv[0, 0] = "Column0";
csv[1, 1] = "100";
csv[2, 2] = "200";
csv[3, 3] = "300";
csv[4, 4] = "400";
csv.Save(new StreamWriter(@"C:\mid\Dev\CSV_Splitter\VR_Path\Proccessed\test_out.csv"));
}
}
}
这使用C#打开CSV文件,对其进行处理并将其保存在新路径中。
我想从csv文件中删除第0、1、2和3列,而不是处理数据。
有人可以帮忙吗?
答案 0 :(得分:2)
您可以使用发布的代码,只需更改Save
方法,用4初始化col变量,就可以完成。
public void Save(StreamWriter stream, char delim = ',')
{
if(_cols > 4)
{
for (int row = 0; row < _rows; row++)
{
for (int col = 4; col < _cols; col++)
{
stream.Write(this[col, row]);
if (col < _cols - 1)
{
stream.Write(delim);
}
}
stream.WriteLine();
}
}
stream.Flush();
stream.Close();
}
更新:
要排除第10列,请跳过在第10位的写入数据。
public void Save(StreamWriter stream, char delim = ',')
{
if(_cols > 4)
{
for (int row = 0; row < _rows; row++)
{
for (int col = 4; col < _cols; col++)
{
if(col != 10)
{
stream.Write(this[col, row]);
if (col < _cols - 1)
{
stream.Write(delim);
}
}
}
stream.WriteLine();
}
}
stream.Flush();
stream.Close();
}