I was wondering that would there be a better (succinct) way to code this in Fortran? I am trying to multiply each column of a(3, 3)
by each value in b(3)
. I know in Python there is np.multiply
, and not sure about Fortran.
!!! test.f90
program test
implicit none
integer, parameter :: dp=kind(0.d0)
real(dp) :: a(3, 3)=reshape([1, 2, 3, 4, 5, 6, 7, 8, 9], [3, 3]),&
b(3)=[1, 2, 3]
integer :: i
do i = 1, 3
a(:, i) = a(:, i) * b(i)
end do
write(*, *) a
end program test
Thanks in advance!
The expression
a * SPREAD(b,1,3)
will produce the same result as your loop. I'll leave it to you and to others to judge whether this is more succinct or in any way better than the loop.
The do loop can be replaced by a one-liner using FORALL:
forall (i=1:3) a(:, i) = a(:, i) * b(i)
If you are reusing a particular b frequently you could define:
b(3, 3)=reshape([1, 1, 1, 2, 2, 2, 3, 3, 3], [3, 3])
then you just can do:
a=a*b
..
来源:https://stackoverflow.com/questions/27969158/broadcast-array-multiplication-in-fortran-90-95