1

假设我有以下矩阵:a =

 2   NaN   NaN
 4   NaN     3
 3     7     9
 5    12     5
 8    10     8
12     5    10

我需要用 Nan 替换每列中的前 x 个非 Nan 值。

如果要替换的值的数量是 x = 3,那么新矩阵应该是:

b =

NaN   NaN   NaN

NaN   NaN   NaN

NaN   NaN   NaN

5     NaN   NaN

8     NaN   8

12    5     10

任何想法如何做到这一点?

提前致谢。

4

4 回答 4

2

遍历列,然后遍历每列的成员,将前 3 个非 NaN 数字替换为 Nan:

for c = 1:size (a,2)
  col = a (:,c);
  replaced = 0;
  for r = 1:size (col)
    if (~isnan (col (r)))
      a (r,c) = Nan;
      replaced = replaced + 1
      if (replaced == 3)
        break;
      end
    end
  end
end

我认为应该这样做

于 2012-06-10T09:12:15.390 回答
2

这是一个矢量化的解决方案。a首先将(将被 new 替换的部分)的顶部部分NaN放入aTopMatrix. 然后得到下半部分ainto aLowMatrix。然后通过使用逻辑寻址根据预先存在的值aLowMatrix替换s 的值。最后,创建一个大小为x的数组并将其垂直连接起来以获得所需的结果矩阵。NaNNaNaTopMatrixNaNxsize(a,2)aLowMatrixb

% 定义示例数据:

a = [ 2 NaN NaN; 4 NaN 3; 3 7 9; 5 12 5; 8 10 8; 12 5 10 ]
x = 3

% 这是代码:

aTopMatrix = a(1:x, 1:end);
aLowMatrix = a(x+1:end, 1:end);
aLowMatrix(isnan(aTopMatrix)) = NaN;
b = [ ones(x, size(a,2))*NaN; aLowMatrix ];
于 2012-06-10T12:06:06.583 回答
2

这是另一个矢量化代码:

%# given the data
a = [ 2 NaN NaN; 4 NaN 3; 3 7 9; 5 12 5; 8 10 8; 12 5 10 ]
x = 3

%# replace with NaNs
sz = size(a);
d = [ones(1,sz(2)) ; diff(~isnan(a))];
rIdx = arrayfun(@(k) find(d(:,k),1,'last'), 1:sz(2));
ind = bsxfun(@plus, sub2ind(sz, rIdx, 1:sz(2)), (0:x-1)');
a(ind(:)) = NaN;

首先我们检查非 nan 元素,然后我们跨行检查diff结果。我们1在每列中找到最后一个的位置,转换为线性索引并将偏移量添加x到每列。最后,我们使用计算的索引替换为NaNs。

于 2012-06-10T13:54:23.913 回答
-1
class TestNan
{
    public static void main(String[] args)
    {
        double[][] mat = new double[6][3];
        //initialize the matrix here
        for(int i = 0; i<3; i++)
        {
            int x = 3; // no. of numbers to be replaced
            for(int j = 0; j<6; j++)
            {
                if(x == 0)
                    break;
                Double d = Double.valueOf(mat[i][j]);
                if(!d.isNaN())
                {
                    d = Double.NaN;
                    x--;
                }
            }
        }
        //Print your matrix here
    }   
}

试试这个,如果你遇到任何问题,请告诉我!!

于 2012-06-10T09:32:28.587 回答