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