首先,我让用户输入他们自己的文本文件,包括状态,大写和填充,我使用以下代码将所有这些值放入结构数组中:
clear
clc
%Part A
textfile=input('What is the name of your text file?\n','s');
fid=fopen(textfile);
file=textscan(fid,'%s %s %f','delimiter',',');
State=file{1}
Capital=file{2}
Population=file{3}
regions=struct('State',State,...
'Capital',Capital,...
'Population',Population)
fclose(fid);
我的第一个问题:是否可以在结构中显示所有值?显示结构数组只是给了我:
50x1 struct array with fields:
State
Capital
Population
我的第二个问题:我是否可以通过尝试仅查找'California'
来访问此结构中的信息?
答案 0 :(得分:7)
正如您已经发现的那样,MATLAB中结构数组的默认显示不会告诉您太多,只是数组维度和字段名称。如果要查看内容,则必须自己创建格式化输出。一种方法是使用STRUCT2CELL收集单元格数组中的结构内容,然后使用FPRINTF以特定格式显示单元格内容。这是一个例子:
>> regions = struct('State',{'New York'; 'Ohio'; 'North Carolina'},...
'Capital',{'Albany'; 'Columbus'; 'Raleigh'},...
'Population',{97856; 787033; 403892}); %# Sample structure
>> cellData = struct2cell(regions); %# A 3-by-3 cell array
>> fprintf('%15s (%s): %d\n',cellData{:}); %# Print the data
New York (Albany): 97856
Ohio (Columbus): 787033
North Carolina (Raleigh): 403892
关于第二个问题,您可以从单元格数组中的'State'
字段中收集条目,将它们与给定名称STRCMP进行比较,得到logical index,然后获取相应的结构数组元素:
>> stateNames = {regions.State}; %# A 1-by-3 cell array of names
>> stateIndex = strcmp(stateNames,'Ohio'); %# Find the index for `Ohio`
>> stateData = regions(stateIndex) %# Get the array element for `Ohio`
stateData =
State: 'Ohio'
Capital: 'Columbus'
Population: 787033
注意:强>
正如您在评论中提到的,结构数组中的每个'Population'
条目最终都包含整个50 x 1的人口数据向量。这可能是因为示例代码中的file{3}
包含向量,而file{1}
和file{2}
包含单元格数组 。为了在file{3}
中跨越结构数组的元素正确分布向量的内容,您需要先打破向量并使用NUM2CELL将每个值放在单元格数组的单独单元格中将其传递给STRUCT。像这样定义Population
可以解决问题:
Population = num2cell(file{3});