我目前正在尝试使用以下代码在matlab中对1 x N 单元格数组的内容进行随机播放:
shuffledframes = frames{randperm(NumberOfFrames)};
frames=shuffledframes;
%printing cell array contents
for i=1:NumberOfFrames
frames(i)
end
然而,框架内容似乎不足......
代码中是否有错误,我看不到?
答案 0 :(得分:7)
您需要替换
shuffledframes = frames{randperm(NumberOfFrames)};
其中任何一个:
标准推荐方式:
shuffledframes = frames(randperm(NumberOfFrames));
使用列表的更复杂的替代方案:
[frames{:}] = frames{randperm(NumberOfFrames)};
为什么呢?在原始代码中,frames{randperm(NumberOfFrames)}
会提供comma-separated list个数字。 Matlab只获取该列表的第一个数字并将其分配给shuffledframes
。
在上面的方法1中,frames(randperm(NumberOfFrames))
使用索引向量索引原始单元格数组以生成新的单元格数组,这就是您想要的。
方法2具有相同的期望效果,尽管它不必要地更复杂。它通过将一个列表与另一个列表匹配来工作。也就是说,Matlab分别使用列表frames{:}
的每个值填充列表frames{randperm(NumberOfFrames)}
的每个值。
要更清楚地看到这一点,请观察代码第一行的右侧,并与方法1进行比较:
>> frames = {1,2,3,4};
>> NumberOfFrames = 4;
>> frames{randperm(NumberOfFrames)} %// Your code. Gives a list of values.
ans =
3
ans =
4
ans =
2
ans =
1
>> frames(randperm(NumberOfFrames)) %// Approach 1. Gives cell array.
ans =
[3] [1] [4] [2]