0

我正在尝试从 .cnv 文件中读取一些数据。我可以打开文件:

TopFolder = 'Name_of_my_file';
SubFolder = dir(fullfile(TopFolder,'*.cnv'));
fid = fopen(fullfile(TopFolder,SubFolder{i}));

所有数据都位于字符串 END 之后,该字符串位于与其他标题不同的行上。我想导入存储在此字符串后面的行中的数据。如何做到这一点?

例如.cnv文件的a部分如下:

# datcnv_in = D:\data\110606_000.hex D:\instrument software\Seabird 2010-07\Seabird Con Files\SBE19_2108_ScufaTOBS.con
# datcnv_skipover = 0
# file_type = ascii
*END*
     -0.051     0.0312    15.4328   138.1551     0.0000     0.0000     0.0000     0.0000  0.000e+00
     -0.033     0.0305    15.4277   138.1551     0.0000     0.0000     0.0000     0.0000  0.000e+00

所以,我想在End之前避免这些行

也许第一步是找到 END 的行号?我该怎么做?

4

3 回答 3

1

首先打开文件并搜索行,直到找到' END '

fid = fopen('yourfile.cnv')     % open file to read
fseek(fid,0,-1);                % set read position to beginning of file
while strcmp(fgetl(fid),'*END*') == 0 end        % go through lines until '*END*'

接下来逐行读取数据到矩阵 ( data) 中:

n=1;                            
while 1
    tline = fgetl(fid)                 % read in line
    if ~ischar(tline), break, end       % if eof, break and finish
    data(:,n) = sscanf(tline,'%f')     % put numbers in a matrix (in columns)
    n=n+1
end

fclose(fid)    % close file
于 2012-11-02T23:50:29.887 回答
0

在 matlab 中使用导入向导时,您可以指定标题行数。如果将其设置为 4,它应该在此示例中有效。

使用导入向导后,如果您希望将来自动化该过程,您可以让它生成代码。

于 2012-11-02T09:15:33.890 回答
0

试试这个:

L = '';
while isempty(findstr(L,'*END*'))  % if the line doesn't contain *END* => read a new line
    L = fgetl(fid);                % read next line of file
end
a = fscanf(fid,'%g %g %g %g');     % add as many %g as columns in your data
fclose(fid);

我已经添加了一些关于它是如何工作的评论。基本上,这会逐行读取打开的文件,直到找到包含*END*.


strcmp(L,'*END*')如果有超过 1 行可能包含相同的字符,则可以使用。


警告:此代码假定您正在阅读的文件至少包含一行具有*END*字符的行,否则,当您尝试读取超出 EOF 时会出现错误。

希望这可以帮助。

于 2012-11-02T12:27:45.510 回答