如何使用MySQL和JPA使用Spring Boot构建Rest API

Hi Everyone! For the past year, I have been learning JavaScript for full-stack web development. For a change, I started to master Java — the powerful Object Oriented Language.

嗨,大家好! 在过去的一年中,我一直在学习用于全栈Web开发JavaScript。 为了进行更改,我开始学习Java —功能强大的面向对象语言。

In that case, I found a very clean and elegant framework called Spring Boot to build a back end.

在那种情况下,我发现了一个非常干净优雅的框架,称为Spring Boot,用于构建后端。

Previously, in JavaScript development, I used:

以前,在JavaScript开发中,我使用了:

  1. Mongoose — an ORM (Object Relational Mapping) for Mongo DB

    猫鼬-Mongo DB的ORM(对象关系映射)
  2. Sequelize — an ORM for MySQL

    Sequelize — MySQL的ORM

For Java-related development, there are lot of ORM’s like Hibernate, JPA (Java Persistence API) & Java Object Oriented Querying.

对于Java相关的开发,有很多ORM,例如Hibernate,JPA (Java持久性API)和Java面向对象的查询。

I choose to build with JPA which is traditionally used in Java applications.

我选择使用传统上在Java应用程序中使用的JPA进行构建。

It was very interesting, and took about one week to finish as I had to learn Spring Boot (There are a lot of annotations “@” and other cool kinds of stuff to learn), JPA, and Hibernate along the way.

这非常有趣,大约花了一个星期的时间,因为我必须学习Spring Boot(有很多注释“ @ ”和其他很酷的东西要学习),JPA和Hibernate。

All this magic is mostly done by the annotations (“@” symbol) used in Spring Boot.

所有这些魔术主要是由Spring Boot中使用的注释 (“ @ ”符号)完成的。

创建一个Spring Boot Maven项目 (Creating a Spring Boot Maven Project)

Let’s create a Spring Boot Maven Project Application using this link.

让我们使用此链接创建一个Spring Boot Maven项目应用程序。

Maven” is a project management tool used to manage dependency management. It’s just like Node Package Manager (NPM) in the JS development environment.

Maven ”是用于管理依赖项管理的项目管理工具。 就像JS开发环境中的Node Package Manager( NPM )一样。

We have package.json in NodeJS for dependency management and pom.xml in Spring Boot for dependency management.

在NodeJS中package.json用于依赖关系管理, 在Spring Boot中有pom.xml用于依赖关系管理。

In Group, write whatever the name you want. Usually, the domain name of the organization is written right to left.

在“组”中,写下您想要的任何名称。 通常,组织的域名是从右到左写的。

For example our domain name is www.javaAPI.com, so the group name could be com.javaAPI.www

例如,我们的域名是www.javaAPI.com ,因此组名称可以是com.javaAPI.www。

Then in the Artifact type the name of the folder you want.

然后在Artifact中输入所需文件夹名称

On the right side, add the following dependencies:

在右侧,添加以下依赖项:

  1. WEB — To use the dependencies of Spring (The older framework of Spring Boot used to develop web applications)

    WEB —使用Spring的依赖项(用于开发Web应用程序的Spring Boot的旧框架)
  2. JPA — Java Persistence API

    JPA — Java持久性API
  3. MYSQL

    MySQL数据库

Then click “Generate Project”. You will find a rar file — extract it. Then open that folder in your favorite IDE.

然后单击“生成项目”。 您会找到一个rar文件-将其解压缩。 然后在您喜欢的IDE中打开该文件夹。

Click on the com.rest.API and you will find an ApiApplication.java file as follows:

单击com.rest.API ,您将找到一个ApiApplication.java文件,如下所示:

package com.rest.API;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class ApiApplication {
public static void main(String[] args) {SpringApplication.run(ApiApplication.class, args);}
}

This code is enough to start your server. Normally spring boot runs on localhost:8080.

此代码足以启动您的服务器。 通常,Spring Boot在localhost:8080上运行。

Type in your terminal as follows:

在终端中输入以下内容:

mvn spring-boot:run

mvn spring-boot:运行

See your localhost running in the web browser at port 8080. It looks blank as we haven’t done anything yet.

请查看运行在Web浏览器端口8080上的本地主机。由于我们尚未执行任何操作,因此它看起来空白。

让我们探索文件及其标签 (Let’s explore the files and their tags)

If you have a look at the pom.xml file you may notice that the dependencies you put in when creating the application in Spring Initialize like MySQL, JPA, and Web will be inside a <dependency> tag.

如果查看pom.xml文件,您可能会注意到在Spring Initialize中创建应用程序时放入的依赖项(如MySQL,JPA和Web)将位于<dependen cy>标记内。

The starter and tester dependencies are the core for creating the Spring Boot Application to serve on the server.

启动程序和测试程序依赖性是创建在服务器上服务的Spring Boot Application的核心。

Now, let’s move to APIApplication.java which is the main file.

现在,让我们转到主文件APIApplication.java。

package com.rest.API;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class ApiApplication {
public static void main(String[] args) {SpringApplication.run(ApiApplication.class, args);}
}

Here the name of the package is in the first line of the code. Using that package name, you can import any class, method, or instances in another package file.

包的名称在代码的第一行。 使用该程序包名称,可以将任何类,方法或实例导入另一个程序包文件中。

After that, two modules are imported from “org.springframework.boot” package.

之后,从“ org.springframework.boot”包中导入两个模块。

  1. SpringApplication

    Spring应用
  2. SpringBootApplication

    SpringBoot应用程序

Since Spring boot is the latest application developing framework of Spring, it needs the packages of Spring Application as well as its specific packages.

由于Spring Boot是Spring的最新应用程序开发框架,因此它需要Spring Application的软件包及其特定的软件包。

After that @SpringBootApplication Annotation is used. This Annotation consists of annotation which is used in Spring:

之后,使用@SpringBootApplication Annotation。 该注释包含在Spring中使用的注释:

  1. @Component — Tells the compiler that the following class is a component which should be included when compiling the whole application.

    @Component —告诉编译器以下类是在编译整个应用程序时应包括的组件。

  2. @ComponentScan — This one does the Scan of which packages we are going to use in the following Java class.

    @ComponentScan —这将扫描以下Java类中要使用的软件包。

  3. @EnableAutoConfiguration — enables Spring Boot’s autoconfiguration mechanism to import important modules for the Spring Boot to run.

    @EnableAutoConfiguration-使Spring Boot的自动配置机制能够导入重要模块以供Spring Boot运行。

These are the annotations used to start the Spring Boot Application to run on a server.

这些是用于启动Spring Boot Application以便在服务器上运行的注释。

Here is an article I have written about Annotation & their uses in Java.

这是我写的有关注解及其在Java中的用法的文章。

让我们为数据创建模型 (Let’s create Model for our data)

Let’s create a Model class to save, retrieve, update and delete the details of a book.

让我们创建一个Model类来保存,检索,更新和删除书籍的详细信息。

For that, I have to create a new package named model and inside that creating a Book.java class to put my code.

为此,我必须创建一个名为model的新程序包,并在其中创建一个Book.java类来放置我的代码。

package com.rest.API.model;
import javax.persistence.*;
import javax.validation.constraints.NotBlank;
@Entity
@Table(name = "books")
public class Book {@Id@GeneratedValueprivate Long id;
@NotBlankprivate String book_name;
@NotBlankprivate String author_name;
@NotBlankprivate String isbn;
public Book(){super();}
public Book(Long id, String book_name, String author_name, String isbn) {super();this.id = id;this.book_name = book_name;this.author_name = author_name;this.isbn=isbn;}
public Long getId() {return id;}
public void setId(Long id) {this.id = id;}
public String getBook_name() {return book_name;}
public void setBook_name(String book_name) {this.book_name = book_name;}
public String getAuthor_name() {return author_name;}
public void setAuthor_name(String author_name) {this.author_name = author_name;}
public String getIsbn() {return isbn;}
public void setIsbn(String isbn) {this.isbn = isbn;}
}

Here I’m using JPA (Java Persistence API) which is a collection of classes and methods to continuously store data into a database.

在这里,我使用的是JPA(Java持久性API),它是用于将数据连续存储到数据库中的类和方法的集合。

@Entity — used to denote that this class is going to be an Entity in the database.

@Entity —用来表示该类将成为数据库中的一个Entity。

@Table — which takes some values like the name you are going to name your table

@Table —它带有一些值,例如您要为表命名的名称

@Id — denotes that the id is the primary key / identifying key for this table

@Id —表示id是此表的主键/标识键

@NotBlank — is used to say that these attributes should not be blank.

@NotBlank-用来表示这些属性不应为空。

Other than that there is an empty constructor which has a super method to satisfy the JPA customs. Getter and setter methods are usually in a POJO class (Plain old Java object).

除此之外,还有一个空的构造函数,该构造函数具有满足JPA习惯的超级方法。 Getter和setter方法通常在POJO类( 普通的旧Java对象 )中。

创建存储库 (Creating the Repository)

Next, we are going to create a repository package to deal with database management in Java.

接下来,我们将创建一个存储库包来处理Java中的数据库管理。

Create an Interface called BookRepository.java inside the repository package.

存储库包中创建一个名为BookRepository.java的接口。

package com.rest.API.repository;
import com.rest.API.model.Book;
import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.stereotype.Repository;
@Repository
public interface BookRepository extends JpaRepository<Book, Long> {
}

I have imported the JpaRepository package to use that repository in the BookRepository interface by connecting my most recently coded Book model to do CRUD operations.

我已导入JpaRepository包,以通过连接我最近编码的Book模型进行CRUD操作来在BookRepository界面中使用该存储库。

There are already built-in methods in those repositories to do CRUD operations.

这些存储库中已经有内置方法可以执行CRUD操作。

Eg:

例如:

.findAll() - to get All datas
.save()    - to save the got Data
.delete()  - to delete the data

Inside the <> tag we are taking the Model name we are going to use and the Primary key’s datatype.

在<>标记内,我们将使用将要使用的Model名称和主键的数据类型。

@Repository: Annotation used to Indicate the DAO (Data Access Object) component in the persistence layer.

@Repository :用于指示持久层中的DAO( 数据访问对象 )组件的注释。

It tells the compiler that the interface is going to use the Repository to do database activities.

它告诉编译器该接口将使用存储库来执行数据库活动。

创建控制器和异常处理 (Creating Controller and Exception Handling)

Create a new package called controller, and inside that create a BookController.java file which contains the endpoints.

创建一个名为controller的新程序包 在其中创建一个包含端点的BookController.java文件。

package com.rest.API.controller;import com.rest.API.exception.BookNotFoundException;
import com.rest.API.model.Book;
import com.rest.API.repository.BookRepository;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*;
import org.springframework.http.ResponseEntity;
import javax.validation.Valid;
import java.util.List;@RestController
public class BookController {@AutowiredBookRepository bookRepository;// Get All Notes@GetMapping("/books")public List<Book> getAllNotes() {return bookRepository.findAll();}// Create a new Note@PostMapping("/books")public Book createNote(@Valid @RequestBody Book book) {return bookRepository.save(book);}// Get a Single Note@GetMapping("/books/{id}")public Book getNoteById(@PathVariable(value = "id") Long bookId) throws BookNotFoundException {return bookRepository.findById(bookId).orElseThrow(() -> new BookNotFoundException(bookId));}// Update a Note@PutMapping("/books/{id}")public Book updateNote(@PathVariable(value = "id") Long bookId,@Valid @RequestBody Book bookDetails) throws BookNotFoundException {Book book = bookRepository.findById(bookId).orElseThrow(() -> new BookNotFoundException(bookId));book.setBook_name(bookDetails.getBook_name());book.setAuthor_name(bookDetails.getAuthor_name());book.setIsbn(bookDetails.getIsbn());Book updatedBook = bookRepository.save(book);return updatedBook;}// Delete a Note@DeleteMapping("/books/{id}")public ResponseEntity<?> deleteBook(@PathVariable(value = "id") Long bookId) throws BookNotFoundException {Book book = bookRepository.findById(bookId).orElseThrow(() -> new BookNotFoundException(bookId));bookRepository.delete(book);return ResponseEntity.ok().build();}
}

The first imported package is for the Book Not Found exception (for which we are going to create a file in a bit).

第一个导入的程序包用于“找不到书”异常(我们将稍后为其创建文件)。

Explanation of Annotations we used here:

我们在此处使用的注释说明:

  1. RestController: This annotation is used to denote every method in the annotated class as Domain Object.

    RestController:此注释用于将带注释的类中的每个方法表示为Domain Object。

So what is Domain Object…?

那么什么是域对象……?

It simply says that Domain Object == Business Object.

它只是说域对象==业务对象。

They are usually represented by entities and value objects related to the endpoint we are giving to get the data from the database.

它们通常由与我们要从数据库获取数据的端点相关的实体和值对象表示。

2. Autowired: This annotation is used to wire the bean classes automatically.

2. Autowired :此注释用于自动连接Bean类。

For that, you need to know about “What is a bean Class..?

为此,您需要了解“ 什么是bean类..?

Basically, a Java Bean Class is a simple class which encapsulates many objects into it.

基本上,Java Bean类是一个简单的类,它将许多对象封装到其中。

This is an article I wrote on Java Bean Classes.

这是我写的关于Java Bean类的文章。

The following are the Mapping Annotations for the endpoints to perform CRUD Operations.

以下是端点执行CRUD操作的映射注释。

3. GetMapping: This is an interface which contains the path of the endpoint to perform a Get method. This GetMapping interface uses the RequestMapping interface which can have the “path, value, params, headers” method to perform the Get method in earlier Spring versions.

3. GetMapping:这是一个接口 ,其中包含执行Get方法的端点的路径。 此GetMapping接口使用RequestMapping接口,该接口可以具有“路径,值,参数,标头”方法,以在早期的Spring版本中执行Get方法。

Now it’s simplified by using GetMapping.

现在,使用GetMapping对其进行了简化

4. PostMapping: This is an interface which contains the path of the endpoint to perform the Post method.

4. PostMapping :这是一个接口 ,其中包含执行Post方法的端点的路径。

5. PutMapping: This is an interface which contains the path of the endpoint to perform the Put method to Update.

5. PutMapping:这是一个接口 ,其中包含执行Put方法更新的端点的路径。

6. DeleteMapping: This is an interface which contains the path of the endpoint to perform the Delete method.

6. DeleteMapping:这是一个接口 ,其中包含执行Delete方法的端点的路径。

In the final lines, you probably noticed the “ResponseEntity” keyword.

在最后几行中,您可能会注意到“ ResponseEntity ”关键字。

What is that…??

是什么...?

It’s a Java class which inherits HttpEntity class to manipulate the HTTP Responses. Whether the request of the connection is “OK” or if there are any problems, throw an exception from the HttpEntity class.

这是一个Java类,继承了HttpEntity类来操纵HTTP响应。 无论连接请求是“ OK ”还是存在任何问题,请从HttpEntity类引发异常

orElseThrow(): This is a method found in the Optional class in Java8 which was introduced to handle Exceptions. The optional class provides various utility methods to check the presence or absence of an object, which helps to deal with NullPointerException.

orElseThrow():这是在Java8Optional类中找到的一种方法,该方法被引入来处理异常。 可选类提供了各种实用程序方法来检查对象的存在或不存在,这有助于处理NullPointerException。

orElseThrow is a method that Returns value if present, otherwise invokes an exception.

orElseThrow是一种返回值(如果存在)的方法,否则调用异常。

如果没有这样的book_id,则创建一个NotFoundException (Creating a NotFoundException if there is no such book_id)

As orElseThrow method throws a NotFound Exception. The following is the Exception Handling part. Create a BookNotFoundException.java file inside exception package.

由于orElseThrow方法引发NotFound异常。 以下是异常处理部分。 在异常包中创建一个BookNotFoundException.java文件。

package com.rest.API.exception;
public class BookNotFoundException extends Exception {
private long book_id;
public BookNotFoundException(long book_id) {super(String.format("Book is not found with id : '%s'", book_id));}
}

The created class extends the Superclass of Exception. In the constructor, I’m passing the book_id & prints the exception.

创建的类扩展了Exception的超类。 在构造函数中,我传递了book_id并打印异常。

So, that’s it…

就是这样了…

We have finished the REST API part. Now you can build the app (which was explained in Part 1) and do some Testings with Postman.

我们已经完成了REST API部分。 现在,您可以构建应用程序(在第1部分中进行了说明),并使用Postman进行一些测试。

与MySql数据库连接 (Connecting with MySql Database)

Inside the application.properties of your resources folder, add the following:

资源文件夹的application.properties中,添加以下内容:

## Spring DATASOURCE (DataSourceAutoConfiguration & DataSourceProperties)
spring.datasource.url = jdbc:mysql://localhost:3306/library
spring.datasource.username = root //normally put your MySQL username 
spring.datasource.password = YOUR_MYSQL_PASSWORD
## Hibernate Properties
# The SQL dialect makes Hibernate generate better SQL for the chosen database
spring.jpa.properties.hibernate.dialect = org.hibernate.dialect.MySQL5InnoDBDialect
# Hibernate ddl auto (create, create-drop, validate, update)
spring.jpa.hibernate.ddl-auto = update

That’s it.

而已。

We have built a basic REST API in Spring Boot. Congrats!

我们在Spring Boot中构建了一个基本的REST API。 恭喜!

If anything is wrong or need to be corrected, please let me know in the comments section.

如果有任何错误或需要更正,请在评论部分让我知道。

Get in touch with me on twitter.

在Twitter上与我联系。

Happy Coding!

编码愉快!

翻译自: https://www.freecodecamp.org/news/how-to-build-a-rest-api-with-spring-boot-using-mysql-and-jpa-f931e348734b/

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/392149.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

翻译

令 $m>n>1$ 为正整数. 一个集合含有 $m$ 个给定的实数. 我们从中选取任意 $n$ 个数, 记作 $a_1$, $a_2$, $\dotsc$, $a_n$, 并提问: 是否 $a_1<a_2<\dotsb < a_n$ 正确? 证明: 我们可以最多问 $n!-n^22n-2m(n-1)(1\lfloor \log_{n} m \rfloor)-m$ 个问题&#…

720 智能硬件与 LeanCloud 云端的默契协作

【 玩转 LeanCloud 】开发者经验分享&#xff1a; 作者&#xff1a;谢子超 720技术负责人&#xff0c;从业十余年&#xff0c;一直负责软件开发工作。 我们的产品是与监控和改善室内空气质量相关的智能硬件&#xff0c;我们使用 LeanCloud 平台已经有 2 年多了&#xff0c;借此…

linux cifs windows 慢,windows上使用dockerIO特别慢有没有更优的解决方案?

复制一个大佬的回答Docker for Windows是在Hyper-V虚拟机上跑Linux&#xff0c;文件挂载是通过SMB协议从Windows挂载到Linux&#xff0c;文件读写都经过网络&#xff0c;遇到Laravel这种每次启动就要加载几百个文件的框架&#xff0c;文件性能问题就尤其明显。最好的验证方法就…

编译原理—词法分析器(Java)

1.当运行程序时&#xff0c;程序会读取项目下的program.txt文件 2. 程序将会逐行读取program.txt中的源程序&#xff0c;进行词法分析&#xff0c;并将分析的结果输出。 3. 如果发现错误&#xff0c;程序将会中止读取文件进行分析&#xff0c;并输出错误提示 所用单词的构词规…

【BZOJ4653】[Noi2016]区间 双指针法+线段树

【BZOJ4653】[Noi2016]区间 Description 在数轴上有 n个闭区间 [l1,r1],[l2,r2],...,[ln,rn]。现在要从中选出 m 个区间&#xff0c;使得这 m个区间共同包含至少一个位置。换句话说&#xff0c;就是使得存在一个 x&#xff0c;使得对于每一个被选中的区间 [li,ri]&#xff0c;都…

为什么我们需要使用Pandas新字符串Dtype代替文本数据对象

We have to represent every bit of data in numerical values to be processed and analyzed by machine learning and deep learning models. However, strings do not usually come in a nice and clean format and require a lot preprocessing.我们必须以数值表示数据的每…

递归方程组解的渐进阶的求法——代入法

递归方程组解的渐进阶的求法——代入法 用这个办法既可估计上界也可估计下界。如前面所指出&#xff0c;方法的关键步骤在于预先对解答作出推测&#xff0c;然后用数学归纳法证明推测的正确性。 例如&#xff0c;我们要估计T(n)的上界&#xff0c;T(n)满足递归方程&#xff1a;…

【转载】C# 理解泛型

术语表 generics&#xff1a;泛型type-safe&#xff1a;类型安全collection: 集合compiler&#xff1a;编译器run time&#xff1a;程序运行时object: 对象.NET library&#xff1a;.Net类库value type: 值类型box: 装箱unbox: 拆箱implicity: 隐式explicity: 显式linked list:…

javascript 作用_JavaScript承诺如何从内到外真正发挥作用

javascript 作用One of the most important questions I faced in interviews was how promises are implemented. Since async/await is becoming more popular, you need to understand promises.我在采访中面临的最重要的问题之一是如何实现承诺。 由于异步/等待变得越来越流…

linux 文件理解,对linux中文件系统的理解

首先在linux系统当中一个可被挂在的数据为一个文件系统1.在安装linux过程中我们要进行磁盘分区&#xff0c;可以分根目录/,‘/home‘&#xff0c;‘/boot’,swap等等这些分区&#xff0c;每一个分区(’/(根目录)‘&#xff0c;’/home‘...)就是一个文件系统。2.文件系统分配完…

编译原理—语法分析器(Java)

递归下降语法分析 1. 语法成分说明 <语句块> :: begin<语句串> end <语句串> :: <语句>{&#xff1b;<语句>} <语句> :: <赋值语句> | <循环语句> | <条件语句> <关系运算符> :: < | < | > | > | |…

老笔记整理四:字符串的完美度

今天在宠果网上发现一道题目&#xff0c;求一个字符串的完美度http://hero.pongo.cn/home/index觉得这道题很有趣就挑战了一下&#xff0c;结果没有在规定的1小时里面写完&#xff08;笑&#xff09;&#xff0c;多花了10分钟终于做出来了。题目是这样的&#xff1a;我们要给每…

nlp构建_使用NLP构建自杀性推文分类器

nlp构建Over the years, suicide has been one of the major causes of death worldwide, According to Wikipedia, Suicide resulted in 828,000 global deaths in 2015, an increase from 712,000 deaths in 1990. This makes suicide the 10th leading cause of death world…

域名跳转

案例&#xff1a;当访问lsx.com网站&#xff0c;是我最早论坛的域名。回车之后会自动跳转到lshx.com。 为什么药lsx跳转到lshx.com呢&#xff1f; 为了统一品牌。建议换成了lshx.com。所有之前的lsx.com就不要用了&#xff0c;就让它跳转到lshx.com。是因为之前lsx.com上有很多…

Elastic Stack 安装

Elastic Stack 是一套支持数据采集、存储、分析、并可视化全面的分析工具&#xff0c;简称 ELK&#xff08;Elasticsearch&#xff0c;Logstash&#xff0c;Kibana&#xff09;的缩写。 安装Elastic Stack 时&#xff0c;必须相关组件使用相同的版本&#xff0c;例如&#xff1…

区块链去中心化分布式_为什么渐进式去中心化是区块链的最大希望

区块链去中心化分布式by Arthur Camara通过亚瑟卡马拉(Arthur Camara) 为什么渐进式去中心化是区块链的最大希望 (Why Progressive Decentralization is blockchain’s best hope) 不变性是区块链的最大优势和最大障碍。 逐步分权可能是答案。 (Immutability is blockchain’s…

编译原理—语义分析(Java)

递归下降语法制导翻译 实现含多条简单赋值语句的简化语言的语义分析和中间代码生成。 测试样例 begin a:2; b:4; c:c-1; area:3.14*a*a; s:2*3.1416*r*(hr); end #词法分析 public class analyzer {public static List<String> llistnew ArrayList<>();static …

linux问题总结

linux问题总结 编写后台进程的管理脚本&#xff0c;使用service deamon-name stop的时候&#xff0c;出现如下提示&#xff1a;/sbin/service: line 66: 23299 Terminated env -i LANG"$LANG" PATH"$PATH" TERM"$TERM" "${SERVICEDIR}/${SE…

linux vi行尾总是显示颜色,【转载】Linux 下使用 vi 没有颜色的解决办法

vi 是没有颜色的&#xff0c;vim 是有颜色的。我们可以通过 rpm -qa |grep vim 看看系统中是否安装了下面 3 个 rpm 包&#xff0c;如果有就是安装了 vim 。[rootBetty ~]# rpm -qa |grep vimvim-minimal-7.0.109-7.el5vim-enhanced-7.0.109-7.el5vim-common-7.0.109-7.el5如果…

时间序列分析 lstm_LSTM —时间序列分析

时间序列分析 lstmNeural networks can be a hard concept to wrap your head around. I think this is mostly due to the fact that they can be used for so many different things such as classification, identification or just simply regression.神经网络可能是一个难…