Introduction to TensorFlow in Python
Isaiah Hull
Visiting Associate Professor of Finance, BI Norwegian Business School
add()
, multiply()
, matmul()
, and reduce_sum()
gradient()
, reshape()
, and random()
Operation | Use |
---|---|
gradient() |
Computes the slope of a function at a point |
reshape() |
Reshapes a tensor (e.g. 10x10 to 100x1) |
random() |
Populates tensor with entries drawn from a probability distribution |
In many problems, we will want to find the optimum of a function.
We can do this using the gradient()
operation.
# Import tensorflow under the alias tf
import tensorflow as tf
# Define x
x = tf.Variable(-1.0)
# Define y within instance of GradientTape
with tf.GradientTape() as tape:
tape.watch(x)
y = tf.multiply(x, x)
# Evaluate the gradient of y at x = -1
g = tape.gradient(y, x)
print(g.numpy())
-2.0
# Import tensorflow as alias tf
import tensorflow as tf
# Generate grayscale image
gray = tf.random.uniform([2, 2], maxval=255, dtype='int32')
# Reshape grayscale image
gray = tf.reshape(gray, [2*2, 1])
# Import tensorflow as alias tf
import tensorflow as tf
# Generate color image
color = tf.random.uniform([2, 2, 3], maxval=255, dtype='int32')
# Reshape color image
color = tf.reshape(color, [2*2, 3])
Introduction to TensorFlow in Python