如何在MATLAB中将来自两个不同单元阵列的数据存储到一个结构域中

时间:2015-02-18 18:54:09

标签: arrays matlab struct

这是我的第一个:

假设我有一个结构

student_information=struct{'name','','surnames,''};

和两个单元格数组

possible_names=cell{'John','Amy','Paul'};
possible_surnames=cell{'Mitchell','Gordon','Maxwell'};

我需要用possible_names单元格中的随机名称填充struct字段'name',我想:

for i=1:length(student_information)
 for j=1:length(possible_names);
 student_information(i).name=possible_names(randperm(j,1));
 end
end

但是我需要用possible_surnames单元格数组中的两个随机姓氏(即“Gordon Maxwell”)来填充struct字段'surnames'...我尝试了一种类似于我用来填充'names'字段的方法但我没有。

我真的很感谢你的帮助

1 个答案:

答案 0 :(得分:1)

您的代码对TBH没有多大意义。您有一些语法错误。具体做法是:

student_information=struct{'name','','surnames,''};

'surnames'需要结束报价。这也只分配一个结构。此外,struct是一个函数,但您尝试使用它像单元格数组。你可能意味着这个:

student_information=struct('name','','surnames','');

除此之外:

possible_names=cell{'John','Amy','Paul'};

possible_surnames=cell{'Mitchell','Gordon','Maxwell'};

这是无效的MATLAB语法。 cell是一个函数,但您尝试引用它,就好像它是cell数组一样。这样做:

possible_names={'John','Amy','Paul'};
possible_surnames={'Mitchell','Gordon','Maxwell'};

现在,回到你的代码。从您的上下文来看,您希望从possible_surnames中选择两个随机名称,并将它们连接成一个字符串。使用randperm但生成两个选项,而不是代码中的1。接下来,您可以使用sprintf并使用空格分隔每个名称来作弊:

possible_surnames={'Mitchell','Gordon','Maxwell'};
names = possible_surnames(randperm(numel(possible_surnames),2));
out = sprintf('%s ', names{:})

out =

Gordon Maxwell 

因此,当您填充单元格数组时,可以从possible_names数组中选择一个随机名称。首先,您需要使用给定数量的插槽正确分配结构:

student_information=struct('name','','surnames','');
student_information=repmat(student_information, 5, 1); %// Make a 5 element structure

possible_names={'John','Amy','Paul'};
for idx = 1 : numel(student_information)
    student_information(idx).name = possible_names{randperm(numel(possible_names), 1)};
end

现在为possible_surnames,请执行:

possible_surnames={'Mitchell','Gordon','Maxwell'};
for idx = 1 : numel(student_information)
    names = possible_surnames(randperm(numel(possible_surnames),2));
    student_information(idx).surnames = sprintf('%s ', names{:});
end

让我们看看这个结构现在是什么样的:

cellData = struct2cell(student_information);
fprintf('Name: %s. Surnames: %s\n', cellData{:})

Name: Paul. Surnames: Maxwell Gordon 
Name: Amy. Surnames: Mitchell Maxwell 
Name: Paul. Surnames: Mitchell Gordon 
Name: John. Surnames: Gordon Maxwell 
Name: John. Surnames: Gordon Mitchell