Keras Notes: Keras安装与简介

2024-06-11 04:08
文章标签 安装 keras 简介 notes

本文主要是介绍Keras Notes: Keras安装与简介,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

reference: http://blog.csdn.net/mmc2015/article/details/50976776

先安装上再说:

sudo pipinstall keras


或者手动安装:

下载:Git clone git://github.com/fchollet/keras.git

传到相应机器上

安装:cd to the Keras folder and run the install command:

sudo python setup.py install



keras在theano之上,在学习keras之前,先理解了这几篇内容:

http://blog.csdn.NET/mmc2015/article/details/42222075(LR)

http://www.deeplearning.Net/tutorial/gettingstarted.html和http://www.deeplearning.net/tutorial/logreg.html(Classifying MNIST digits using Logistic Regression

总参考:http://www.deeplearning.net/tutorial/contents.html


以第一个链接中给出的代码为例(比较简单):

[python]  view plain copy
在CODE上查看代码片 派生到我的代码片
  1. import numpy  
  2. import theano  
  3. import theano.tensor as T  
  4. rng = numpy.random  
  5.   
  6. N = 400                                   # training sample size  
  7. feats = 784                               # number of input variables  
  8.   
  9. # generate a dataset: D = (input_values, target_class)  
  10. D = (rng.randn(N, feats), rng.randint(size=N, low=0, high=2))  
  11. training_steps = 10000  
  12.   
  13. # Declare Theano symbolic variables  
  14. x = T.matrix("x")  
  15. y = T.vector("y")  
  16.   
  17. # initialize the weight vector w randomly  
  18. #  
  19. # this and the following bias variable b  
  20. # are shared so they keep their values  
  21. # between training iterations (updates)  
  22. w = theano.shared(rng.randn(feats), name="w")  
  23.   
  24. # initialize the bias term  
  25. b = theano.shared(0., name="b")  
  26.   
  27. print("Initial model:")  
  28. print(w.get_value())  
  29. print(b.get_value())  
  30.   
  31. # Construct Theano expression graph  
  32. p_1 = 1 / (1 + T.exp(-T.dot(x, w) - b))   # Probability that target = 1  
  33. prediction = p_1 > 0.5                    # The prediction thresholded  
  34. xent = -y * T.log(p_1) - (1-y) * T.log(1-p_1) # Cross-entropy loss function  
  35. cost = xent.mean() + 0.01 * (w ** 2).sum()# The cost to minimize  
  36. gw, gb = T.grad(cost, [w, b])             # Compute the gradient of the cost  
  37.                                           # w.r.t weight vector w and  
  38.                                           # bias term b  
  39.                                           # (we shall return to this in a  
  40.                                           # following section of this tutorial)  
  41.   
  42. # Compile  
  43. train = theano.function(  
  44.           inputs=[x,y],  
  45.           outputs=[prediction, xent],  
  46.           updates=((w, w - 0.1 * gw), (b, b - 0.1 * gb)))  
  47. predict = theano.function(inputs=[x], outputs=prediction)  
  48.   
  49. # Train  
  50. for i in range(training_steps):  
  51.     pred, err = train(D[0], D[1])  
  52.   
  53. print("Final model:")  
  54. print(w.get_value())  
  55. print(b.get_value())  
  56. print("target values for D:")  
  57. print(D[1])  
  58. print("prediction on D:")  
  59. print(predict(D[0]))  


我们发现,使用theano构建模型一般需要如下步骤:

0)预处理数据

[python]  view plain copy
在CODE上查看代码片 派生到我的代码片
  1. # generate a dataset: D = (input_values, target_class)  

1)定义变量

[python]  view plain copy
在CODE上查看代码片 派生到我的代码片
  1. # Declare Theano symbolic variables  

2)构建(图)模型

[python]  view plain copy
在CODE上查看代码片 派生到我的代码片
  1. # Construct Theano expression graph  

3)编译模型,theano.function()

[python]  view plain copy
在CODE上查看代码片 派生到我的代码片
  1. # Compile  

4)训练模型

5)预测新数据

[python]  view plain copy
在CODE上查看代码片 派生到我的代码片
  1. # Train  

[python]  view plain copy
在CODE上查看代码片 派生到我的代码片
  1. print(predict(D[0]))  


那么,theano和keras区别在哪呢?

http://keras.io/


原来是层次不同,keras封装的更好,编程起来更方便(调试起来更麻烦了。。);theano编程更灵活,自定义完全没问题,适合科研人员啊。

另外,keras和tensorFlow完全兼容。。。



keras有两种模型,序列和图,不解释。

我们看下keras构建模型有多快,以序列为例:

[python]  view plain copy
在CODE上查看代码片 派生到我的代码片
  1. from keras.models import Sequential  
  2. model = Sequential() #1定义变量  
  3.   
  4. from keras.layers.core import Dense, Activation  
  5. model.add(Dense(output_dim=64, input_dim=100, init="glorot_uniform")) #2构建图模型  
  6. model.add(Activation("relu"))  
  7. model.add(Dense(output_dim=10, init="glorot_uniform"))  
  8. model.add(Activation("softmax"))  
  9.   
  10. from keras.optimizers import SGD  
  11. model.compile(loss='categorical_crossentropy', optimizer=SGD(lr=0.01, momentum=0.9, nesterov=True)) #3编译模型  
  12.   
  13. model.fit(X_train, Y_train, nb_epoch=5, batch_size=32#4训练模型  
  14.   
  15. objective_score = model.evaluate(X_test, Y_test, batch_size=32)  
  16.   
  17. classes = model.predict_classes(X_test, batch_size=32#5预测模型  
  18. proba = model.predict_proba(X_test, batch_size=32)  


最后给出keras架构,自己去学吧:

这篇关于Keras Notes: Keras安装与简介的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/1050152

相关文章

Jsoncpp的安装与使用方式

《Jsoncpp的安装与使用方式》JsonCpp是一个用于解析和生成JSON数据的C++库,它支持解析JSON文件或字符串到C++对象,以及将C++对象序列化回JSON格式,安装JsonCpp可以通过... 目录安装jsoncppJsoncpp的使用Value类构造函数检测保存的数据类型提取数据对json数

mac安装redis全过程

《mac安装redis全过程》文章内容主要介绍了如何从官网下载指定版本的Redis,以及如何在自定义目录下安装和启动Redis,还提到了如何修改Redis的密码和配置文件,以及使用RedisInsig... 目录MAC安装Redis安装启动redis 配置redis 常用命令总结mac安装redis官网下

如何安装 Ubuntu 24.04 LTS 桌面版或服务器? Ubuntu安装指南

《如何安装Ubuntu24.04LTS桌面版或服务器?Ubuntu安装指南》对于我们程序员来说,有一个好用的操作系统、好的编程环境也是很重要,如何安装Ubuntu24.04LTS桌面... Ubuntu 24.04 LTS,代号 Noble NumBAT,于 2024 年 4 月 25 日正式发布,引入了众

如何安装HWE内核? Ubuntu安装hwe内核解决硬件太新的问题

《如何安装HWE内核?Ubuntu安装hwe内核解决硬件太新的问题》今天的主角就是hwe内核(hardwareenablementkernel),一般安装的Ubuntu都是初始内核,不能很好地支... 对于追求系统稳定性,又想充分利用最新硬件特性的 Ubuntu 用户来说,HWEXBQgUbdlna(Har

python中poetry安装依赖

《python中poetry安装依赖》本文主要介绍了Poetry工具及其在Python项目中的安装和使用,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友们下面随... 目录前言1. 为什么pip install poetry 会造成依赖冲突1.1 全局环境依赖混淆:1

windows端python版本管理工具pyenv-win安装使用

《windows端python版本管理工具pyenv-win安装使用》:本文主要介绍如何通过git方式下载和配置pyenv-win,包括下载、克隆仓库、配置环境变量等步骤,同时还详细介绍了如何使用... 目录pyenv-win 下载配置环境变量使用 pyenv-win 管理 python 版本一、安装 和

Linux下MySQL8.0.26安装教程

《Linux下MySQL8.0.26安装教程》文章详细介绍了如何在Linux系统上安装和配置MySQL,包括下载、解压、安装依赖、启动服务、获取默认密码、设置密码、支持远程登录以及创建表,感兴趣的朋友... 目录1.找到官网下载位置1.访问mysql存档2.下载社区版3.百度网盘中2.linux安装配置1.

Kibana的安装和配置全过程

《Kibana的安装和配置全过程》Kibana是一个开源的数据分析和可视化平台,它与Elasticsearch紧密集成,提供了一个直观的Web界面,使您可以快速地搜索、分析和可视化数据,在本文中,我们... 目录Kibana的安装和配置1.安装Java运行环境2.下载Kibana3.解压缩Kibana4.配

Zookeeper安装和配置说明

一、Zookeeper的搭建方式 Zookeeper安装方式有三种,单机模式和集群模式以及伪集群模式。 ■ 单机模式:Zookeeper只运行在一台服务器上,适合测试环境; ■ 伪集群模式:就是在一台物理机上运行多个Zookeeper 实例; ■ 集群模式:Zookeeper运行于一个集群上,适合生产环境,这个计算机集群被称为一个“集合体”(ensemble) Zookeeper通过复制来实现

CentOS7安装配置mysql5.7 tar免安装版

一、CentOS7.4系统自带mariadb # 查看系统自带的Mariadb[root@localhost~]# rpm -qa|grep mariadbmariadb-libs-5.5.44-2.el7.centos.x86_64# 卸载系统自带的Mariadb[root@localhost ~]# rpm -e --nodeps mariadb-libs-5.5.44-2.el7