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

网站框架都有什么用有了域名就可以做网站了吗

网站框架都有什么用,有了域名就可以做网站了吗,公司招牌制作价格,免费开源网站01、Tensorflow实现二元手写数字识别#xff08;二分类问题#xff09; 开始学习机器学习啦#xff0c;已经把吴恩达的课全部刷完了#xff0c;现在开始熟悉一下复现代码。对这个手写数字实部比较感兴趣#xff0c;作为入门的素材非常合适。 基于Tensorflow 2.10.0 1、…01、Tensorflow实现二元手写数字识别二分类问题 开始学习机器学习啦已经把吴恩达的课全部刷完了现在开始熟悉一下复现代码。对这个手写数字实部比较感兴趣作为入门的素材非常合适。 基于Tensorflow 2.10.0 1、识别目标 识别手写仅仅是为了区分手写的0和1所以实际上是一个二分类问题。 2、Tensorflow算法实现 STEP1导入相关包 import numpy as np import tensorflow as tf from keras.models import Sequential from keras.layers import Dense from sklearn.model_selection import train_test_split import matplotlib.pyplot as plt import warnings import logging from sklearn.metrics import accuracy_scoreimport numpy as np:这是引入numpy库并为其设置一个缩写np。Numpy是Python中用于大规模数值计算的库它提供了多维数组对象及一系列操作这些数组的函数。 import tensorflow as tf:这是引入tensorflow库并为其设置一个缩写tf。TensorFlow是一个开源的深度学习框架它被广泛用于各种深度学习应用。 from keras.models import Sequential:这是从Keras库中引入Sequential模型。Keras是一个高级神经网络API它可以运行在TensorFlow之上。Sequential模型是Keras中的线性堆栈模型允许你简单地堆叠多个网络层。 from keras.layers import Dense:这是从Keras库中引入Dense层。Dense层是神经网络中的全连接层每个输入节点与输出节点都是连接的。 from sklearn.model_selection import train_test_split:这是从scikit-learn库中引入train_test_split函数。这个函数用于将数据分割为训练集和测试集。 import matplotlib.pyplot as plt:这是引入matplotlib的pyplot模块并为其设置一个缩写plt。Matplotlib是Python中的绘图库而pyplot是其中的一个模块用于绘制各种图形和图像。 import warnings:这是引入Python的标准警告库它可以用来发出警告或者过滤掉不需要的警告。 import logging:这是引入Python的标准日志库用于记录日志信息方便追踪和调试代码。 from sklearn.metrics import accuracy_score:这是从scikit-learn库中引入accuracy_score函数。这个函数用于计算分类准确率常用于评估分类模型的性能。 STEP2:屏蔽无用警告并允许中文 logging.getLogger(tensorflow).setLevel(logging.ERROR) tf.autograph.set_verbosity(0) warnings.simplefilter(actionignore, categoryFutureWarning) # 支持中文显示 plt.rcParams[font.sans-serif][SimHei] plt.rcParams[axes.unicode_minus]Falselogging.getLogger(“tensorflow”).setLevel(logging.ERROR)这行代码用于设置 TensorFlow 的日志级别为 ERROR。这意味着只有当 TensorFlow 中发生错误时才会在日志中输出相关信息。较低级别的日志信息如 WARNING、INFO、DEBUG将被忽略。 tf.autograph.set_verbosity(0)这行代码用于设置 TensorFlow 的自动图形Autograph日志的冗长级别为 0。这意味着在将 Python 代码转换为 TensorFlow 图形代码时将不会输出任何日志信息。这有助于减少日志噪音使日志更加干净。 warnings.simplefilter(action‘ignore’,categoryFutureWarning)这行代码用于忽略所有 FutureWarning 类型的警告。在 Python中当使用某些即将过时或未来版本中可能发生变化的特性时通常会发出 FutureWarning。通过设置action‘ignore’代码将不会输出这类警告使控制台输出更加干净。 plt.rcParams[‘font.sans-serif’][‘SimHei’]这行代码用于设置 matplotlib 中的默认无衬线字体为 SimHei。SimHei 是一种常用于显示中文的字体这样设置后matplotlib 将在绘图时使用 SimHei 字体来显示中文从而避免中文乱码问题。 plt.rcParams[‘axes.unicode_minus’]False这行代码用于解决 matplotlib 中负号显示异常的问题。默认情况下matplotlib 可能无法正确显示负号将其设置为 False 可以使用 ASCII字符作为负号从而正常显示。 STEP3:导入并划分数据集 划分10%作为测试 X, y load_data() print(The shape of X is: str(X.shape)) print(The shape of y is: str(y.shape)) X_train, X_test, y_train, y_test train_test_split(X, y, test_size0.1, random_state42)STEP4:模型构建与训练 # 构建模型三层模型进行分类第一层输入100个神经元... model Sequential([tf.keras.Input(shape(400,)), #specify input size### START CODE HERE ###Dense(100, activationsigmoid),Dense(10, activationsigmoid),Dense(1, activationsigmoid)### END CODE HERE ###], name my_model ) # 打印三层模型的参数 model.summary() # 模型设定学习率0.001因为是分类使用BinaryCrossentropy损失函数 model.compile(losstf.keras.losses.BinaryCrossentropy(),optimizertf.keras.optimizers.Adam(0.001), ) # 开始训练训练循环20 model.fit(X_train,y_train,epochs20 ) STEP5:结果可视化与打印准确度信息 原始的输入的数据集是400 * 1000的数组共包含1000个手写数字的数据其中400为20*20像素的图片因此对每个400的数组进行reshape((20, 20))可以得到原始的图片进而绘图。 # 绘制测试集的预测结果绘制64个 fig, axes plt.subplots(8, 8, figsize(8, 8)) fig.tight_layout(pad0.1, rect[0, 0.03, 1, 0.92]) # [left, bottom, right, top] for i, ax in enumerate(axes.flat):# Select random indicesrandom_index np.random.randint(X_test.shape[0])# Select rows corresponding to the random indices and# reshape the imageX_random_reshaped X_test[random_index].reshape((20, 20)).T# Display the imageax.imshow(X_random_reshaped, cmapgray)# Predict using the Neural Networkprediction model.predict(X_test[random_index].reshape(1, 400))if prediction 0.5:yhat 1else:yhat 0# Display the label above the imageax.set_title(f{y_test[random_index, 0]},{yhat})ax.set_axis_off() fig.suptitle(真实标签, 预测的标签, fontsize16) plt.show()# 给出预测的测试集误差 y_predmodel.predict(X_test) print(测试数据集准确率为, accuracy_score(y_test, np.round(y_pred)))3、运行结果 按照最初的划分数据集包含1000个数据划分10%为测试集也就是100个数据。结果可视化随机选择其中的64个数据绘图每个图像的上方标明了其真实标签和预测的结果这个是一个非常简单的示例准确度还是非常高的。 4、工程下载与全部代码 工程链接Tensorflow实现二元手写数字识别二分类问题 import numpy as np import tensorflow as tf from keras.models import Sequential from keras.layers import Dense from sklearn.model_selection import train_test_split import matplotlib.pyplot as plt import warnings import logging from sklearn.metrics import accuracy_scorelogging.getLogger(tensorflow).setLevel(logging.ERROR) tf.autograph.set_verbosity(0) warnings.simplefilter(actionignore, categoryFutureWarning) # 支持中文显示 plt.rcParams[font.sans-serif][SimHei] plt.rcParams[axes.unicode_minus]False# load dataset def load_data():X np.load(Handwritten_Digit_Recognition_data/X.npy)y np.load(Handwritten_Digit_Recognition_data/y.npy)X X[0:1000]y y[0:1000]return X, y# 加载数据集查看数据集大小可以看到有1000个数据集每个输入是20*20400大小的图片 X, y load_data() print(The shape of X is: str(X.shape)) print(The shape of y is: str(y.shape)) X_train, X_test, y_train, y_test train_test_split(X, y, test_size0.1, random_state42)# # 下面画图随便从原数据取出几个画图可以注释 # m, n X.shape # fig, axes plt.subplots(8, 8, figsize(8, 8)) # fig.tight_layout(pad0.1) # for i, ax in enumerate(axes.flat): # # Select random indices # random_index np.random.randint(m) # # Select rows corresponding to the random indices and # # 将1*400的数据转换为20*20的图像格式 # X_random_reshaped X[random_index].reshape((20, 20)).T # # Display the image # ax.imshow(X_random_reshaped, cmapgray) # # Display the label above the image # ax.set_title(y[random_index, 0]) # ax.set_axis_off() # plt.show()# 构建模型三层模型进行分类第一层输入25个神经元... model Sequential([tf.keras.Input(shape(400,)), #specify input size### START CODE HERE ###Dense(100, activationsigmoid),Dense(10, activationsigmoid),Dense(1, activationsigmoid)### END CODE HERE ###], name my_model ) # 打印三层模型的参数 model.summary() # 模型设定学习率0.001因为是分类使用BinaryCrossentropy损失函数 model.compile(losstf.keras.losses.BinaryCrossentropy(),optimizertf.keras.optimizers.Adam(0.001), ) # 开始训练训练循环20 model.fit(X_train,y_train,epochs20 )# 绘制测试集的预测结果绘制64个 fig, axes plt.subplots(8, 8, figsize(8, 8)) fig.tight_layout(pad0.1, rect[0, 0.03, 1, 0.92]) # [left, bottom, right, top] for i, ax in enumerate(axes.flat):# Select random indicesrandom_index np.random.randint(X_test.shape[0])# Select rows corresponding to the random indices and# reshape the imageX_random_reshaped X_test[random_index].reshape((20, 20)).T# Display the imageax.imshow(X_random_reshaped, cmapgray)# Predict using the Neural Networkprediction model.predict(X_test[random_index].reshape(1, 400))if prediction 0.5:yhat 1else:yhat 0# Display the label above the imageax.set_title(f{y_test[random_index, 0]},{yhat})ax.set_axis_off() fig.suptitle(真实标签, 预测的标签, fontsize16) plt.show()# 给出预测的测试集误差 y_predmodel.predict(X_test) print(测试数据集准确率为, accuracy_score(y_test, np.round(y_pred)))
http://www.hkea.cn/news/14395325/

相关文章:

  • 开发手机端网站模板下载不了广东宏昌建设有限公司网站
  • 教育主管部门建设的专题资源网站是网站开发前后端分离
  • etsy网站课程培训
  • jsp网站建设项目实战 pdf动漫网站建设目的
  • 区县12380网站建设情况本科自考最快多久拿证
  • vps做网站空间宁波建设网官网
  • 网站建设好公司建筑工程信息平台
  • 英文站网站源码吴江手机网站建设价格
  • 把网站做成app的软件下载做视频网站视频短片
  • 做t恤的网站网站建设大约需要多少钱
  • 杭州集团网站建设十大景观设计公司排名
  • 重庆梁平网站建设公司vue做公司网站
  • 开网站是干什么的重庆建设行业信息网站
  • 新手怎么建立自己网站沈阳建设工程信息网 等级中项网
  • 网站建设及优化 赣icp甘肃嘉峪关建设局网站
  • 网上购物网站建设公司伊牡丹江市春市网站建设
  • 怎么 给自己的网站做优化呢简述网络营销推广的方式都有哪些
  • 教你如何创建自己的网站网站建设合同英文
  • 绿色在线网站模板杭州小程序网站开发公司
  • 大型电子商务网站需要配服务器网站电子签名怎么做
  • 网页的制作过程徐州关键词优化排名
  • 将网站建设外包出去的好处网页版qq中心登录入口
  • 洛阳 网站建设公司网站搭建技术都有啥
  • 网站综合营销方案免费的培训网站建设
  • 网站建设万禾博客网站开发视频
  • 做优秀企业网站导航网站是怎么做的
  • 怎么把别人网站模板下载出来建设外贸网站公司简介
  • 织梦做网站简单吗大连网站设计九即问仟亿科技
  • 手机建站平台哪个便宜网站开发项目需求分析说明书
  • 网站主持杭州网站建设优化