0

My input data for one step numpy array length of 36 float

[-0.712982    1.14461327 -0.46141151 -0.39443004 -0.44848472 -0.65676075
  0.56058383 -0.61031222  0.43211082 -0.74852234  1.28183317  0.79719085
 -0.28156522  0.16901374 -0.73715878  0.69877005 -0.40633941  0.01085454
 -0.33675554 -0.37056464 -0.43088505  0.3327457  -0.15905562  0.72995877
  0.56962079  0.10286932  0.25698286  0.89823145 -0.12923111  0.3219386
  0.10118762  1.29127014 -0.22283298  0.75640506  0.79971719  0.60000002]

Part of my code:

X = tf.placeholder(tf.float32, (36))
Y = tf.placeholder(tf.float32)

# Create Model

# Set model weights
    W = tf.Variable(tf.zeros([36], name="weight"))
    b = tf.Variable(tf.zeros([1]), name="bias")


# Construct model
    activation = tf.add(tf.matmul(X, W), b)

In this case tf.matmul not work(ValueError: Shape (36,) must have rank 2). What changes I need to get the activation as a single float number?

1 Answer 1

1

Just use:

activation = tf.add(tf.mul(X, W), b)

See a simple linear regression example (and others) from https://github.com/nlintz/TensorFlow-Tutorials/blob/master/1_linear_regression.py:

import tensorflow as tf
import numpy as np

trX = np.linspace(-1, 1, 101)
trY = 2 * trX + np.random.randn(*trX.shape) * 0.33 # create a y value which is approximately linear but with some random noise

X = tf.placeholder("float") # create symbolic variables
Y = tf.placeholder("float")

w = tf.Variable(0.0, name="weights") # create a shared variable (like theano.shared) for the weight matrix
y_model = tf.mul(X, w)
cost = tf.square(Y - y_model) # use square error for cost function
train_op = tf.train.GradientDescentOptimizer(0.01).minimize(cost) # construct an optimizer to minimize cost and fit line to my data

# Launch the graph in a session
with tf.Session() as sess:
    # you need to initialize variables (in this case just variable W)
    tf.initialize_all_variables().run()

    for i in range(100):
        for (x, y) in zip(trX, trY):
            sess.run(train_op, feed_dict={X: x, Y: y})

    print(sess.run(w))  # It should be something around 2
Sign up to request clarification or add additional context in comments.

Comments

Your Answer

By clicking “Post Your Answer”, you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.