Reputation: 542
When I use the code below. I get the numerical data exported correctly however the first row is blank when there should be titles(headers) on the first row of each column. Any solutions?
clc
clear
filename = 'file.csv';
fileID = fopen(filename,'wt');
%**************************************************************************
%Sample data (note sample data are transposed row, i.e. columns)
sample1 = [1,2,3,4]';
sample2 = [332.3, 275.8, 233.3, 275]';
sample3 = [360, 416.7, 500, 360]';
sample4= [-0.9, -0.9, -0.9, -0.9]';
sample5 = [ 300000, 0, 0, 0]';
A ={'text1','text2', 'text3', 'text4', 'text5'}; %'
%***************************************************************************
%write string to csv
[rows, columns] = size(A);
for index = 1:rows
fprintf(fileID, '%s,', A{index,1:end-1});
fprintf(fileID, '%s\n', A{index,end});
end
fclose(fileID);
%***************************************************************************
%write numerical data to csv
d = [sample1, sample2, sample3, sample4, sample5];
csvwrite(filename, d, 1);
Upvotes: 4
Views: 22636
Reputation: 5345
You are erasing strings when writing numerical data ,run your script just up to numerical data - it works fine. Simply switch order of operations- first write numbers, and then write strings, it will work.
EDIT: Solution above won't work because writing string overwrites previously written numerical data, simpler and more intuitivesolution would be to replace
csvwrite(filename, d, 1);
by
dlmwrite(filename, d,'-append', 'delimiter', ',');
in original example
Upvotes: 5