1

xlsread(file.csv); 以外の Excel 形式の .csv を Matlab にインポートする他の方法はありますか?

私が持っているファイルには2830082行が含まれており、xlsreadはそれを読み取るときに1048576行の制限があるようです.残りは切り取られます.

ファイルは次のようになります。

Time, Value
12:07:29, -1.13
12:07:29, -7.54
...

そのため、日付形式が原因で csvread(..) を使用しても機能しません。

4

1 に答える 1

1

BIG csv ファイルを Matlab に読み込む最速の方法は、それらをメモリ マップし、内容を単一の文字列として解析することです。このコード例で遊んでみてください:

fname = 'file.csv';
fstats = dir(fname);
% Map the file as one long character string
m = memmapfile(fname, 'Format', {'uint8' [ 1 fstats.bytes] 'asUint8'});
textdata = char(m.Data(1).asUint8);

% Find the end of each line, and use the line ends to form an index array
row = strfind(textdata, sprintf('\r\n'));
row = [[1; row(1:end-1)'+2] row' - 1];
% Fix-up if there is no \r\n at the end of the last line
if (row(end) < fstats.bytes - 2)
    row = [row; [row(end) + 2, fstats.bytes]];
end
numrows = size(row, 1);
% Create output variables
Time = zeros(numrows, 1);
Value = zeros(numrows, 1);

% Parse each line of the data (I'm ignoring the first line for simplicity)
for RowNum = 2:numrows
    data = textscan(textdata(row(RowNum,1):row(RowNum,2)), '%[^,]%f', 'delimiter', ',');
    Time(RowNum) = datenum(data{:});
    Value(RowNum) = data{2};
end

% Remove the file mapping
clear('m');
于 2012-05-18T15:48:58.423 に答える