Matlab資料匯出


MATLAB中的資料匯出(或輸出)可以理解為寫入檔案。 MATLAB允許在其他應用程式中使用讀取ASCII檔案的資料。 為此,MATLAB提供了幾個資料匯出選項。

可以建立以下型別的檔案:

  • 來自陣列的矩形,有分隔符的ASCII資料檔案。
  • 日記(或紀錄檔)檔案的按鍵和結果文字輸出。
  • 使用fprintf等低階函式的專用ASCII檔案。

MEX檔案存取寫入特定文字檔案格式的C/C++或Fortran例程。

除此之外,還可以將資料匯出到電子試算表(Excel)。

將數位陣列匯出為有分隔符的ASCII資料檔案有兩種方法 -

  • 使用save函式並指定-ascii限定符
  • 使用dlmwrite函式

使用save函式的語法是:

save my_data.out num_array -ascii

其中,my_data.out是建立的分隔ASCII資料檔案,num_array是一個數位陣列,-ascii是說明符。

使用dlmwrite函式的語法是:

dlmwrite('my_data.out', num_array, 'dlm_char')

其中,my_data.out是分隔的ASCII資料檔案,num_array是陣列,dlm_char是分隔符。

範例

以下範例演示了這個概念。建立指令碼檔案並鍵入以下程式碼 -

num_array = [ 1 2 3 4 ; 4 5 6 7; 7 8 9 0];
save array_data1.out num_array -ascii;
type array_data1.out
dlmwrite('array_data2.out', num_array, ' ');
type array_data2.out

執行上面範例程式碼,得到以下結果 -

Trial>> num_array = [ 1 2 3 4 ; 4 5 6 7; 7 8 9 0];
save array_data1.out num_array -ascii;
type array_data1.out
dlmwrite('array_data2.out', num_array, ' ');
type array_data2.out

   1.0000000e+00   2.0000000e+00   3.0000000e+00   4.0000000e+00
   4.0000000e+00   5.0000000e+00   6.0000000e+00   7.0000000e+00
   7.0000000e+00   8.0000000e+00   9.0000000e+00   0.0000000e+00

1 2 3 4
4 5 6 7
7 8 9 0

請注意,儲存save -ascii命令和dlmwrite函式不能使用單元格陣列作為輸入。要從單元格陣列的內容建立一個分隔的ASCII檔案,可以 -

  • 使用cell2mat函式將單元陣列轉換為矩陣
  • 或使用低階檔案I/O函式匯出單元格陣列。

如果使用save函式將字元陣列寫入ASCII檔案,則會將ASCII等效字元寫入該檔案。

例如,把一個單詞hello寫到一個檔案 -

h = 'hello';
save textdata.out h -ascii
type textdata.out

MATLAB執行上述語句並顯示以下結果。這是8位元ASCII格式的字串「hello」的字元。

1.0400000e+02   1.0100000e+02   1.0800000e+02   1.0800000e+02   1.1100000e+02

寫到日記檔案

日記檔案是MATLAB對談的活動紀錄檔。diary函式在磁碟檔案中建立對談的精確副本,不包括圖形。

開啟diary函式,鍵入 -

diary

或者,可以給出紀錄檔檔案的名稱,比如 -

diary diary.log

關閉日記函式 -



可以在文字編輯器中開啟日記檔案。

將資料匯出到具有低階I/O的文字資料檔案

到目前為止,我們已經匯出陣列。 但是,您可能需要建立其他文字檔案,包括數位和字元資料的組合,非矩形輸出檔案或具有非ASCII編碼方案的檔案。為了實現這些目的,MATLAB提供了低階別的fprintf函式。

在低階I/O檔案活動中,在匯出之前,需要使用fopen函式開啟或建立一個檔案,並獲取檔案識別符號。 預設情況下,fopen會開啟一個唯讀存取的檔案。所以應該指定寫入或附加的許可權,例如'w''a'

處理檔案後,需要用fclose(fid)函式關閉它。

以下範例演示了這一概念 -

範例

建立指令碼檔案並在其中鍵入以下程式碼 -

% create a matrix y, with two rows
x = 0:10:100;
y = [x; log(x)];

% open a file for writing
fid = fopen('logtable.txt', 'w');

% Table Header
fprintf(fid, 'Log     Function\n\n');

% print values in column order
% two values appear on each row of the file
fprintf(fid, '%f    %f\n', y);
fclose(fid);
% display the file created
type logtable.txt

執行檔案時,會顯示以下結果 -

Log     Function

0.000000    -Inf
10.000000    2.302585
20.000000    2.995732
30.000000    3.401197
40.000000    3.688879
50.000000    3.912023
60.000000    4.094345
70.000000    4.248495
80.000000    4.382027
90.000000    4.499810
100.000000    4.605170