Storing elements of product in a row matrix and extracting the nonzero elements
이전 댓글 표시
I have three row matrices x,y and z and I need to store the product of each element in a row matrix. For eg: x=[x1 x2 x3], y=[y1 y2 y3],z=[z1 z2 z3]. Then n is a matrix such that n=[x1*y1*z1 x1*y1*z2 x1*y1*z3 x1*y2*z1 x1*y2*z2 x1*y2*z3 ...x3*y3*z3]. And then I have to form a row matrix which should store only the nonzero elements of n. I am unable to do this using hte following code. Kindly help:
clc;
clear all;
x=[0 1 0];
y=[ 0.3333 0.6667 0];
z=[0.7667 0.2333 0];
for i=1:3
for j=1:3
for k=1:3
n=x(i).*y(j).*z(k);
n1=reshape(n',1,[])
end
end
end
답변 (2개)
The problem of your code is that you assign the results of your multiplaction to n, which mean that you will only store the last results of your for loop in n. To fix that you need to assign an array index to n(index) that increases after each loop cycle.
However, dot product directly multiplies matrices element-wise so you don't need for loops here:
a = [1 2 3];
b = [3 2 1];
a.*b
x=[0 1 0];
y=[ 0.3333 0.6667 0];
z=[0.7667 0.2333 0];
n=x.*y.*z
n_nozero=nonzeros(n)
x = 1:3;
y = 4:6;
z = 7:9;
[X,Y,Z] = ndgrid(x,y,z);
A = nonzeros(X.*Y.*Z)
댓글 수: 4
SM
2022년 5월 30일
Stephen23
2022년 5월 30일
"I need n(mentioned in my question) matrix as a row matrix also."
Then add on a transpose:
A = nonzeros(X.*Y.*Z).'
% ^^
SM
2022년 5월 30일
Stephen23
2022년 5월 30일
"but I need the n matrix for some other operations apart from the A(nonzeros matrix)"
There is nothing stopping you from keeping both of them:
N = X.*Y.*Z;
N = N(:); % optional
A = nonzeros(N).';
카테고리
도움말 센터 및 File Exchange에서 Matrix Indexing에 대해 자세히 알아보기
Community Treasure Hunt
Find the treasures in MATLAB Central and discover how the community can help you!
Start Hunting!