• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    迪恩网络公众号

Python convolutional.conv2d函数代码示例

原作者: [db:作者] 来自: [db:来源] 收藏 邀请

本文整理汇总了Python中tensorflow.python.layers.convolutional.conv2d函数的典型用法代码示例。如果您正苦于以下问题:Python conv2d函数的具体用法?Python conv2d怎么用?Python conv2d使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。



在下文中一共展示了conv2d函数的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Python代码示例。

示例1: testGradient

  def testGradient(self):
    if not test.is_gpu_available(cuda_only=True):
      self.skipTest('GPU required')

    random_seed.set_random_seed(0)
    x = random_ops.truncated_normal([1, 200, 200, 3], seed=0)
    y = conv_layers.conv2d(x, 32, [3, 3])
    z = conv_layers.conv2d(y, 32, [3, 3])
    optimizer = gradient_descent.GradientDescentOptimizer(1e-4)
    loss = math_ops.reduce_mean(z)
    train_op = optimizer.minimize(loss)
    graph = ops.get_default_graph()
    graph.add_to_collection('train_op', train_op)
    meta_graph = saver_lib.export_meta_graph(graph_def=graph.as_graph_def())

    rewrite_options = rewriter_config_pb2.RewriterConfig(
        optimize_tensor_layout=True)
    optimized_graph = tf_optimizer.OptimizeGraph(rewrite_options, meta_graph)

    found = 0
    for node in optimized_graph.node:
      if node.op in ['Conv2D', 'Conv2DBackpropFilter', 'Conv2DBackpropInput']:
        found += 1
        self.assertEqual(node.attr['data_format'].s, 'NCHW')
    self.assertEqual(found, 5)
开发者ID:SylChan,项目名称:tensorflow,代码行数:25,代码来源:layout_optimizer_test.py


示例2: testFunctionalConv2DNoReuse

 def testFunctionalConv2DNoReuse(self):
   height, width = 7, 9
   images = random_ops.random_uniform((5, height, width, 3), seed=1)
   conv_layers.conv2d(images, 32, [3, 3])
   self.assertEqual(len(variables.trainable_variables()), 2)
   conv_layers.conv2d(images, 32, [3, 3])
   self.assertEqual(len(variables.trainable_variables()), 4)
开发者ID:AndrewTwinz,项目名称:tensorflow,代码行数:7,代码来源:convolutional_test.py


示例3: _train

  def _train(self, checkpoint_path, layout_optimizer=False, restore=False):
    ops.reset_default_graph()
    graph = ops.get_default_graph()
    with session.Session(
        config=get_config(layout_optimizer), graph=graph) as sess:
      batch = 2
      height = 6
      width = 7
      input_channels = 3
      shape = [batch, height, width, input_channels]
      image = array_ops.placeholder(dtype='float32', shape=shape)
      conv1 = conv_layers.conv2d(image, 32, [3, 3])
      conv2 = conv_layers.conv2d(conv1, 32, [3, 3])
      optimizer = gradient_descent.GradientDescentOptimizer(0.01)
      loss = math_ops.reduce_mean(conv2)
      train_op = optimizer.minimize(loss)
      saver = saver_lib.Saver(write_version=saver_pb2.SaverDef.V2)

      if restore:
        saver.restore(sess, checkpoint_path)
      else:
        sess.run(variables.global_variables_initializer())

      np.random.seed(0)
      for _ in range(2):
        image_val = np.random.rand(*shape).astype(np.float32)
        sess.run([loss, train_op], feed_dict={image: image_val})

      if restore:
        all_vars = ops.get_collection(ops.GraphKeys.GLOBAL_VARIABLES)
        all_vars_values = [var.eval(session=sess) for var in all_vars]
        return all_vars_values
      else:
        saver.save(sess, checkpoint_path)
开发者ID:SylChan,项目名称:tensorflow,代码行数:34,代码来源:layout_optimizer_test.py


示例4: testInvalidKernelSize

  def testInvalidKernelSize(self):
    height, width = 7, 9
    images = random_ops.random_uniform((5, height, width, 3), seed=1)
    with self.assertRaisesRegexp(ValueError, 'kernel_size'):
      conv_layers.conv2d(images, 32, (1, 2, 3))

    with self.assertRaisesRegexp(ValueError, 'kernel_size'):
      conv_layers.conv2d(images, 32, None)
开发者ID:AndrewTwinz,项目名称:tensorflow,代码行数:8,代码来源:convolutional_test.py


示例5: testInvalidStrides

  def testInvalidStrides(self):
    height, width = 7, 9
    images = random_ops.random_uniform((5, height, width, 3), seed=1)
    with self.assertRaisesRegexp(ValueError, 'strides'):
      conv_layers.conv2d(images, 32, 3, strides=(1, 2, 3))

    with self.assertRaisesRegexp(ValueError, 'strides'):
      conv_layers.conv2d(images, 32, 3, strides=None)
开发者ID:AndrewTwinz,项目名称:tensorflow,代码行数:8,代码来源:convolutional_test.py


示例6: testFunctionalConv2DReuseFromScope

 def testFunctionalConv2DReuseFromScope(self):
   with variable_scope.variable_scope('scope'):
     height, width = 7, 9
     images = random_ops.random_uniform((5, height, width, 3), seed=1)
     conv_layers.conv2d(images, 32, [3, 3], name='conv1')
     self.assertEqual(len(variables.trainable_variables()), 2)
   with variable_scope.variable_scope('scope', reuse=True):
     conv_layers.conv2d(images, 32, [3, 3], name='conv1')
     self.assertEqual(len(variables.trainable_variables()), 2)
开发者ID:AndrewTwinz,项目名称:tensorflow,代码行数:9,代码来源:convolutional_test.py


示例7: testFunctionalConv2DNoReuse

 def testFunctionalConv2DNoReuse(self):
   height, width = 7, 9
   images = random_ops.random_uniform((5, height, width, 3), seed=1)
   conv_layers.conv2d(images, 32, [3, 3])
   self.assertEqual(
       len(ops.get_collection(ops.GraphKeys.TRAINABLE_VARIABLES)), 2)
   conv_layers.conv2d(images, 32, [3, 3])
   self.assertEqual(
       len(ops.get_collection(ops.GraphKeys.TRAINABLE_VARIABLES)), 4)
开发者ID:AliMiraftab,项目名称:tensorflow,代码行数:9,代码来源:convolutional_test.py


示例8: _conv2d_impl

 def _conv2d_impl(self, input_layer, num_channels_in, filters, kernel_size,
                  strides, padding, kernel_initializer):
     if self.use_tf_layers:
         return conv_layers.conv2d(
             input_layer,
             filters,
             kernel_size,
             strides,
             padding,
             self.channel_pos,
             kernel_initializer=kernel_initializer,
             use_bias=False)
     else:
         weights_shape = [
             kernel_size[0], kernel_size[1], num_channels_in, filters
         ]
         weights = self.get_variable(
             'conv2d/kernel',
             weights_shape,
             self.variable_dtype,
             self.dtype,
             initializer=kernel_initializer)
         if self.data_format == 'NHWC':
             strides = [1] + strides + [1]
         else:
             strides = [1, 1] + strides
         return tf.nn.conv2d(
             input_layer,
             weights,
             strides,
             padding,
             data_format=self.data_format)
开发者ID:jamescasbon,项目名称:ray,代码行数:32,代码来源:convnet_builder.py


示例9: testFunctionalConv2DInitializerFromScope

 def testFunctionalConv2DInitializerFromScope(self):
   with self.test_session() as sess:
     with variable_scope.variable_scope(
         'scope', initializer=init_ops.ones_initializer()):
       height, width = 7, 9
       images = random_ops.random_uniform((5, height, width, 3), seed=1)
       conv_layers.conv2d(images, 32, [3, 3], name='conv1')
       weights = variables.trainable_variables()
       # Check the names of weights in order.
       self.assertTrue('kernel' in weights[0].name)
       self.assertTrue('bias' in weights[1].name)
       sess.run(variables.global_variables_initializer())
       weights = sess.run(weights)
       # Check that the kernel weights got initialized to ones (from scope)
       self.assertAllClose(weights[0], np.ones((3, 3, 3, 32)))
       # Check that the bias still got initialized to zeros.
       self.assertAllClose(weights[1], np.zeros((32)))
开发者ID:AndrewTwinz,项目名称:tensorflow,代码行数:17,代码来源:convolutional_test.py


示例10: training_step

 def training_step(inputs, scale):
   outputs = convolutional.conv2d(
       inputs,
       filters=16,
       kernel_size=(3, 3),
       data_format="channels_first",
       kernel_regularizer=make_regularizer(scale))
   loss = math_ops.reduce_mean(math_ops.square(outputs))
   return loss.op
开发者ID:AndrewTwinz,项目名称:tensorflow,代码行数:9,代码来源:tpu_test.py


示例11: _conv2d_impl

 def _conv2d_impl(self, input_layer, num_channels_in, filters, kernel_size,
                  strides, padding, kernel_initializer):
   if self.use_tf_layers:
     return conv_layers.conv2d(input_layer, filters, kernel_size, strides,
                               padding, self.channel_pos,
                               kernel_initializer=kernel_initializer,
                               use_bias=False)
   else:
     weights_shape = [kernel_size[0], kernel_size[1], num_channels_in, filters]
     # We use the name 'conv2d/kernel' so the variable has the same name as its
     # tf.layers equivalent. This way, if a checkpoint is written when
     # self.use_tf_layers == True, it can be loaded when
     # self.use_tf_layers == False, and vice versa.
     weights = self.get_variable('conv2d/kernel', weights_shape,
                                 self.variable_dtype, self.dtype,
                                 initializer=kernel_initializer)
     if self.data_format == 'NHWC':
       strides = [1] + strides + [1]
     else:
       strides = [1, 1] + strides
     return tf.nn.conv2d(input_layer, weights, strides, padding,
                         data_format=self.data_format)
开发者ID:Ericyuanhui,项目名称:Build_learning,代码行数:22,代码来源:convnet_builder.py


示例12: _simple_model

 def _simple_model(self, image, fused, freeze_mode):
   output_channels, kernel_size = 2, 3
   conv = conv_layers.conv2d(
       image,
       output_channels,
       kernel_size,
       use_bias=False,
       kernel_initializer=init_ops.ones_initializer())
   bn_layer = normalization_layers.BatchNormalization(fused=fused)
   bn_layer._bessels_correction_test_only = False
   training = not freeze_mode
   bn = bn_layer.apply(conv, training=training)
   loss = math_ops.reduce_sum(math_ops.abs(bn))
   optimizer = gradient_descent.GradientDescentOptimizer(0.01)
   if not freeze_mode:
     update_ops = ops.get_collection(ops.GraphKeys.UPDATE_OPS)
     with ops.control_dependencies(update_ops):
       train_op = optimizer.minimize(loss)
   else:
     train_op = optimizer.minimize(loss)
   saver = saver_lib.Saver(write_version=saver_pb2.SaverDef.V2)
   return loss, train_op, saver
开发者ID:Crazyonxh,项目名称:tensorflow,代码行数:22,代码来源:normalization_test.py


示例13: testConv2DFloat16

 def testConv2DFloat16(self):
   height, width = 7, 9
   images = random_ops.random_uniform((5, height, width, 4), dtype='float16')
   output = conv_layers.conv2d(images, 32, [3, 3], activation=nn_ops.relu)
   self.assertListEqual(output.get_shape().as_list(),
                        [5, height - 2, width - 2, 32])
开发者ID:AndrewTwinz,项目名称:tensorflow,代码行数:6,代码来源:convolutional_test.py


示例14: testInvalidDataFormat

 def testInvalidDataFormat(self):
   height, width = 7, 9
   images = random_ops.random_uniform((5, height, width, 3), seed=1)
   with self.assertRaisesRegexp(ValueError, 'data_format'):
     conv_layers.conv2d(images, 32, 3, data_format='invalid')
开发者ID:AndrewTwinz,项目名称:tensorflow,代码行数:5,代码来源:convolutional_test.py


示例15: test_invalid_shape

 def test_invalid_shape(self):
   inputs = random_ops.random_uniform((10, 100, 100, 3), seed=1)
   graph = conv_layers.conv2d(inputs, 3, 10, strides=(1, 1))
   with self.assertRaisesRegexp(ValueError, 'number of features'):
     graph = maxout.maxout(graph, num_units=2)
开发者ID:1000sprites,项目名称:tensorflow,代码行数:5,代码来源:maxout_test.py



注:本文中的tensorflow.python.layers.convolutional.conv2d函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。


鲜花

握手

雷人

路过

鸡蛋
该文章已有0人参与评论

请发表评论

全部评论

专题导读
上一篇:
Python convolutional.conv2d_transpose函数代码示例发布时间:2022-05-27
下一篇:
Python tf_utils.smart_cond函数代码示例发布时间:2022-05-27
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap