我给了数字列表
x=[x1, x2, x3, x4, x5, x6];
non_zero=find(x);
我希望Matlab一次在'non_zero'元素中随机选择任何人。我在网上搜索,但是没有可用的功能来提供所需的结果。
答案 0 :(得分:1)
您可以使用函数randi
从有效索引集中随机选择一个整数。
x=[x1, x2, x3, x4, x5, x6];
non_zero=find(x);
index = randi(numel(non_zero));
number = x(non_zero(index))
或者,也许更清楚一点,首先创建一个x
的副本,从该副本中删除零个元素,然后从[1 numel(x_nz)]
范围中选择一个随机整数。
x=[x1, x2, x3, x4, x5, x6];
x_nz = x;
x_nz(x == 0) = 0;
index = randi(numel(x_nz));
number = x_nz(index)
要确保每次都不会获得相同的序列,请首先调用rng('shuffle')
来设置用于随机数生成的种子。
答案 1 :(得分:0)
您是否考虑过randsample
或datasample
?
x = [1 4 3 2 6 5];
randsample(x,1,'true') % samples one element from x randomly
randsample(x,2,'true') % two samples
datasample(x,1)
% Dealing with the nonzero condition
y = [1 2 3 0 0 7 4 5];
k = 2; % number of samples
randsample(y(y>0),k,'true')
datasample(y(y>0),k)
发布此答案后,我从@Rashid(由@ChrisLuengo链接)发现了this excellent answer。他还建议考虑使用datasample(unique(y(y>0),k)
是否合适。