snoozzz
snoozzz

Reputation: 235

Matrix multiplication in Keras

I try to multiply two matrices in a python program using Keras.

import keras.backend as K
import numpy as np
A = np.random.rand(10,500)
B = np.random.rand(500,6000)

x = K.placeholder(shape=A.shape)
y = K.placeholder(shape=B.shape)
xy = K.dot(x, y)

xy.eval(A,B)

I know this cannot work, but I also don't know how I can make it work.

Upvotes: 7

Views: 11296

Answers (1)

Camron_Godbout
Camron_Godbout

Reputation: 1633

You need to use a variable instead of a place holder.

import keras.backend as K
import numpy as np
A = np.random.rand(10,500)
B = np.random.rand(500,6000)

x = K.variable(value=A)
y = K.variable(value=B)

z = K.dot(x,y)

# Here you need to use K.eval() instead of z.eval() because this uses the backend session
K.eval(z)

Upvotes: 18

Related Questions