当前位置: 首页 > news >正文

长宁专业网站制作公司个人网站备案信息填写

长宁专业网站制作公司,个人网站备案信息填写,专业网站建设公司推荐,西南交通建设集团股份有限公司网站#x1f9e1;#x1f49b;#x1f49a;TensorFlow2实战-系列教程 总目录 有任何问题欢迎在下面留言 本篇文章的代码运行界面均在Jupyter Notebook中进行 本篇文章配套的代码资源已经上传 5、图像数据处理实例 5.1 读数据 import os import glob from datetime import date…TensorFlow2实战-系列教程 总目录 有任何问题欢迎在下面留言 本篇文章的代码运行界面均在Jupyter Notebook中进行 本篇文章配套的代码资源已经上传 5、图像数据处理实例 5.1 读数据 import os import glob from datetime import datetimeimport cv2 import numpy as np import matplotlib.pyplot as plt import matplotlib.image as mpimg %matplotlib inline image_path ../img/ images glob.glob(image_path *.jpg)for fname in images:image mpimg.imread(fname)f, (ax1) plt.subplots(1, 1, figsize(8,8))f.subplots_adjust(hspace .2, wspace .05)ax1.imshow(image)ax1.set_title(Image, fontsize20)image_labels {dog: 0,kangaroo: 1, }5.2 制作TFRecord # 读数据binary格式 image_string open(./img/dog.jpg, rb).read() label image_labels[dog]打开一张图像和它对应的标签 def _bytes_feature(value):Returns a bytes_list from a string/byte.if isinstance(value, type(tf.constant(0))):value value.numpy() # BytesList wont unpack a string from an EagerTensor.return tf.train.Feature(bytes_listtf.train.BytesList(value[value]))def _float_feature(value):Return a float_list form a float/double.return tf.train.Feature(float_listtf.train.FloatList(value[value]))def _int64_feature(value):Return a int64_list from a bool/enum/int/uint.return tf.train.Feature(int64_listtf.train.Int64List(value[value]))前面3个处理字符、浮点数、整型的函数 # 创建图像数据的Example def image_example(image_string, label):image_shape tf.image.decode_jpeg(image_string).shapefeature {height: _int64_feature(image_shape[0]),width: _int64_feature(image_shape[1]),depth: _int64_feature(image_shape[2]),label: _int64_feature(label),image_raw: _bytes_feature(image_string),}return tf.train.Example(featurestf.train.Features(featurefeature))定义一个函数指定要保存的指标以及要用什么格式存这批数据 image_shape 就是图像长、宽、通道数 feature 中定义了图像h、w、c、标签、矩阵特征 最后构建Example返回一条数据 #打印部分信息 image_example_proto image_example(image_string, label)for line in str(image_example_proto).split(\n)[:15]:print(line) print(...)调用刚刚的函数传进实际的数据和标签 把转换的数据打印出来 # 制作 images.tfrecords.image_path ./img/ images glob.glob(image_path *.jpg) record_file images.tfrecord counter 0with tf.io.TFRecordWriter(record_file) as writer:for fname in images:with open(fname, rb) as f:image_string f.read()label image_labels[os.path.basename(fname).replace(.jpg, )]tf_example image_example(image_string, label)writer.write(tf_example.SerializeToString())counter 1print(Processed {:d} of {:d} images..format(counter, len(images)))print( Wrote {} images to {}.format(counter, record_file))指定所有数据的路径指定最后保存的数据的路径和名称计数器打开TFRecordWriter准备写数据遍历所有的图像数据路径打开当前路径的文件读取图像映射图像文件名无扩展名到标签使用 image_example 函数需要事先定义创建 tf.Example 对象将其序列化后写入 TFRecord 文件每处理一个图像文件计数器增加并打印出已处理的图像数量所有图像处理完成后打印出写入 TFRecord 文件的总图像数量 打印结果 Processed 1 of 2 images. Processed 2 of 2 images. Wrote 2 images to images.tfrecord 5.3 加载制作好的TFRecord raw_train_dataset tf.data.TFRecordDataset(images.tfrecord) raw_train_datasetTFRecordDatasetV2 shapes: (), types: tf.string example数据都进行了序列化还需要解析以下之前写入的序列化string即反序列化 tf.io.parse_single_example(example_proto, feature_description)函数可以解析单条example 这个函数是专门用来解析图像数据的 # 解析的格式需要跟之前创建example时一致 image_feature_description {height: tf.io.FixedLenFeature([], tf.int64),width: tf.io.FixedLenFeature([], tf.int64),depth: tf.io.FixedLenFeature([], tf.int64),label: tf.io.FixedLenFeature([], tf.int64),image_raw: tf.io.FixedLenFeature([], tf.string), }现在看起来仅仅完成了一个样本的解析实际数据不可能一个个来写吧可以定义一个映射规则map函数 解析的格式要和原来一致 def parse_tf_example(example_proto):parsed_example tf.io.parse_single_example(example_proto, image_feature_description)x_train tf.image.decode_jpeg(parsed_example[image_raw], channels3)x_train tf.image.resize(x_train, (416, 416))x_train / 255.lebel parsed_example[label]y_train lebelreturn x_train, y_traintrain_dataset raw_train_dataset.map(parse_tf_example) train_dataset定义一个专门用来解析的函数传进解析的样本、解析的对照关系image_feature_description进行预处理操作将原始的二进制 JPEG 图像数据解码为Tensor将图像大小调整为 416x416 像素将图像数据归一化到 0 到 1 的范围提取 label 字段并赋值给 y_train返回处理后的图像数据和标签将 parse_tf_example 函数应用于原始的训练数据集 raw_train_datasetmap 函数会对数据集中的每个元素应用 parse_tf_example 函数 打印结果 MapDataset shapes: ((416, 416, 3), ()), types: (tf.float32, tf.int64) 5.4 制作训练集 num_epochs 10train_ds train_dataset.shuffle(buffer_size10000).batch(2).repeat(num_epochs) for batch, (x, y) in enumerate(train_ds):print(batch, x.shape, y)把数据转换成batch形式然后把转换的数据打印出来 打印结果 0 (2, 416, 416, 3) tf.Tensor([0 1], shape(2,), dtypeint64) 1 (2, 416, 416, 3) tf.Tensor([0 1], shape(2,), dtypeint64) … 8 (2, 416, 416, 3) tf.Tensor([1 0], shape(2,), dtypeint64) 9 (2, 416, 416, 3) tf.Tensor([1 0], shape(2,), dtypeint64) model tf.keras.Sequential([tf.keras.layers.Flatten(),tf.keras.layers.Dense(2, activationsoftmax) ]) model.compile(optimizeradam,losstf.keras.losses.SparseCategoricalCrossentropy(),metrics[accuracy]) model.fit(train_ds, epochsnum_epochs)定义一个简单的模型、训练器然后进行训练 打印结果 Epoch 1/10 10/10 1s 51ms/step - loss: 55.1923 - accuracy: 0.6500 … Epoch 9/10 10/10 0s 19ms/step - loss: 0.0000e00 - accuracy: 1.0000 Epoch 10/10 10/10 0s 19ms/step - loss: 0.0000e00 - accuracy: 1.0000 tensorflow.python.keras.callbacks.History at 0x274f2524400
http://www.pierceye.com/news/875178/

相关文章:

  • 海外网站seo优化wordpress支持asp.net
  • 什么网站做企业邮箱服务单页网站cms
  • 做电商网站的框架结构图wordpress用户标签
  • 益阳做网站的公司濮阳新闻直播
  • 网站logo更换晋城市 制作网站
  • 读书网站建设策划书摘要推荐网站建设案例
  • 西安网站建设 大德wordpress图片浏览
  • 陕西建设注册中心网站网页设计与制作长江职业学院
  • 佛山网站设计外包有没有做淘宝客网站的
  • 手机怎么做3d短视频网站网站开发工程师php岗位职责
  • 莆田做网站公司电话人才网站建设方案
  • 找人做网站需要问哪些问题桂林漓江悦府
  • 专门做2次元图片的网站高清vpswindows在线看
  • 青岛手机建站公司网站源码com大全
  • 电脑搭建网站需要空间wordpress文件夹权限设置方法
  • 建设网站基础医疗网站建设比较好的
  • 建个网站视频教程小程序开发是前端还是后端
  • 广州分享网站建设网站速度查询
  • 做电商网站价钱传奇类网页游戏大全
  • 如何选择南京网站建设网站制作能赚多少钱
  • 一站式网站设计已有域名如何在花生壳网站做二级域名托管
  • 哪个网站可以接图纸做返利网站怎么做的
  • 旅游网站建设国内外现状辽阳专业建设网站公司
  • 免费视频模板网站wordpress不写代码
  • 设计网站公司 露 联湖南岚鸿小程序网站开发公司
  • 聊城网站设计seo公司重庆
  • 网站布局技术厦门网站建设680元
  • 深圳物流公司网站建e网怎么做效果图
  • 做营销网站公司建个个人网站一年多少钱
  • 阆中网站网站建设代理网络服务器