ORM-02-Hibernate 对象关系映射(ORM)框架

拓展阅读

The jdbc pool for java.(java 手写 jdbc 数据库连接池实现)

The simple mybatis.(手写简易版 mybatis)

Hibernate

Hibernate ORM 允许开发者更轻松地编写那些数据在应用程序进程结束后仍然存在的应用程序。

作为一个对象关系映射(ORM)框架,Hibernate 关注的是与关系数据库(通过 JDBC)相关的数据持久化。

hibernate

Hello world

  • Event.java
/*** Created by houbinbin on 16/5/18.*/
public class Event {private Long id;private String title;private Date date;//
}
  • HibernateUtil.java
public class HibernateUtil {private static SessionFactory sessionFactory;private HibernateUtil() {}public static SessionFactory getSessionFactory() {if(sessionFactory == null) {sessionFactory = new Configuration().configure().buildSessionFactory();}return sessionFactory;}
}
  • EventService.java
public class HibernateUtil {private static SessionFactory sessionFactory;private HibernateUtil() {}public static SessionFactory getSessionFactory() {if(sessionFactory == null) {sessionFactory = new Configuration().configure().buildSessionFactory();}return sessionFactory;}
}
  • EventTest.java is today’s lead.
public class EventTest extends TestCase {private EventService eventService;@Beforepublic void setUp() {eventService = new EventService();}@Testpublic void testCreate() {eventService.createAndStoreEvent("create Event", new Date());}@Testpublic void testQuery() {List<Event> events = eventService.listEvents();for (Event event : events) {System.out.println(event);}}@Afterpublic void tearDown() {HibernateUtil.getSessionFactory().close();}
}

run testCreate()

INFO: HHH000400: Using dialect: org.hibernate.dialect.MySQLDialect
Hibernate: insert into EVENT (EVENT_DATE, title) values (?, ?)

run testQuery()

Hibernate: select event0_.EVENT_ID as EVENT_ID1_0_, event0_.EVENT_DATE as EVENT_DA2_0_, event0_.title as title3_0_ from EVENT event0_
五月 20, 2016 12:05:45 上午 org.hibernate.engine.jdbc.connections.internal.DriverManagerConnectionProviderImpl stop
INFO: HHH10001008: Cleaning up connection pool [jdbc:mysql://localhost/hibernate]
Event{id=1, title='My Event', date=2016-05-19 21:48:56.0}
Event{id=2, title='Test Event', date=2016-05-19 22:58:43.0}
Event{id=3, title='create Event', date=2016-05-19 23:32:49.0}
Event{id=4, title='create Event', date=2016-05-20 00:04:40.0}Process finished with exit code 0

Annotation

Now, let’s use annotation way to achieve code above.

  • Student.java
/*** Created by houbinbin on 16/5/20.*/
@Entity
public class Student {private Long id;private String name;private int score;//getter and setter...//default constructor and with members' constructor//toString()}
  • StudentService.java
public class StudentService extends BaseService<Student> {public String getEntityName() {return "Student";}
}
  • BaseService.java
/*** Created by houbinbin on 16/5/20.*/
public abstract class BaseService<T> {/*** get current entity's name;* @return*/public abstract String getEntityName();/*** save the entity.* @param entity* @return*/public Serializable save(T entity) {Session session = HibernateUtil.getSessionFactory().getCurrentSession();session.beginTransaction();Serializable result = session.save(entity);session.getTransaction().commit();return result;}/*** list all data of entity;* @return*/public List<T> list() {Session session = HibernateUtil.getSessionFactory().getCurrentSession();session.beginTransaction();List<T> result = session.createQuery("FROM " + getEntityName()).list();session.getTransaction().commit();return result;}/*** show the list* - you need write the correct toString() of entity;*/public void show() {List<T> result = list();for(T entity : result) {System.out.println(entity);}}
}
  • StudentTest.java
public class StudentTest extends TestCase {private StudentService studentService;@Beforepublic void setUp() {studentService = new StudentService();}@Testpublic void testCreate() {Student student = new Student("xiaoming", 70);studentService.save(student);}@Testpublic void testShow() {studentService.show();}@Afterpublic void tearDown() {HibernateUtil.getSessionFactory().close();}
}

Mapping

  • @Table

The identifier uniquely identifies each row in that table. By default the name of the table is assumed to be the
same as the name of the entity. To explicitly give the name of the table or to specify other information about the table,
we would use the javax.persistence.Table annotation.

@Entity
@Table(name="t_simple")
public class Simple {private int id;@Id@GeneratedValuepublic int getId() {return id;}public void setId(int id) {this.id = id;}
}

the created table named t_simple.

  • @Basic

Strictly speaking, a basic type is denoted with the javax.persistence.Basic annotation.
Generally speaking the @Basic annotation can be ignored. Both of the following examples are ultimately the same.

so, the code above is the same as…

@Entity
@Table(name="t_simple")
public class Simple {private int id;@Id@GeneratedValue@Basicpublic int getId() {return id;}public void setId(int id) {this.id = id;}
}
  • @Column

For basic type attributes, the implicit naming rule is that the column name is the same as the attribute name.
If that implicit naming rule does not meet your requirements, you can explicitly tell Hibernate (and other providers) the column name to use.

@Entity
public class Simple {private int id;@Id@GeneratedValue@Column(name="t_id")public int getId() {return id;}public void setId(int id) {this.id = id;}
}

the created table column will be “t_id”.

  • @Enumerated

ORDINAL - stored according to the enum value’s ordinal position within the enum class, as indicated by java.lang.Enum#ordinal

STRING - stored according to the enum value’s name, as indicated by java.lang.Enum#name

@Entity
public class Simple {private int id;private Gender gender;@Id@GeneratedValuepublic int getId() {return id;}public void setId(int id) {this.id = id;}@Enumerated(STRING)public Gender getGender() {return gender;}public void setGender(Gender gender) {this.gender = gender;}public static enum Gender {MALE, FEMALE}
}

result is MALE;

change into

@Enumerated
public Gender getGender() {return gender;
}

result is 0;

Spring

When hibernate meets spring, things will be interesting…What I want to say, is hibernate’s model define.

  • hbm.xml
<bean id="mySessionFactory" class="org.springframework.orm.hibernate5.LocalSessionFactoryBean"><property name="mappingResources"><list><value>user.hbm.xml</value></list></property>
</bean>
  • class
<property name="annotatedClasses"><list><value>com.ryo.model.User</value></list>
</property>
  • auto scan
<property name="packagesToScan"><list><value>com.ryo.model.*</value></list>
</property>

packagesToScan specify packages to search for autodetection of your entity classes in the classpath.

So, the * in com.ryo.model.*is stand for package name. If your model classes are like this…

/com/ryo/model/- User.java

You need write com.ryo.*

Or, you can write like this…

<list><value>com.ryo.model</value>
</list>

在这里插入图片描述

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

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

相关文章

python闭包函数、装饰器、生成器

1. 闭包函数 什么是闭包函数 闭包函数就是在函数内部定义了一个函数&#xff08;内嵌函数&#xff09;&#xff0c;并将这个函数的引用作为返回值返回。 但是闭包函数可以调用外部函数的形参和变量&#xff0c;并且在外部调用闭包函数时&#xff0c;其外部函数的形参和变量仍…

基于蝗虫优化的KNN分类特征选择算法的matlab仿真

目录 1.程序功能描述 2.测试软件版本以及运行结果展示 3.核心程序 4.本算法原理 4.1 KNN分类器基本原理 4.2 特征选择的重要性 4.3 蝗虫优化算法&#xff08;GOA&#xff09; 5.完整程序 1.程序功能描述 基于蝗虫优化的KNN分类特征选择算法。使用蝗虫优化算法&#xff…

C++入门语法———命名空间,缺省参数,重载函数

文章目录 一.命名空间1.存在意义2.语法使用1.定义命名空间2.使用命名空间的三种方式 二.缺省参数1.全缺省参数2.半缺省参数 三.重载函数1.定义2.重载原理———名字修饰 一.命名空间 1.存在意义 C命名空间的主要意义是为了避免命名冲突&#xff0c;尤其是在大型项目中可能存在…

“高级SPA项目构建与路由实现“

目录 引言1. SPA项目构建1.1 安装vue-cli,webpack1.2 创建 Vue.js项目1.3 “一问一答”模式1.4 启动项目 2. SPA项目完成路由3. 基于SPA项目完成嵌套路由总结 引言 在现代Web开发中&#xff0c;单页应用&#xff08;SPA&#xff09;已经成为一种流行的开发模式。SPA通过在前端…

(BUUCTF)0ctf_2018_heapstorm2

文章目录 前置知识整体思路house of storm如何进行一次house of stormhouse of storm原理house of storm具体流程 chunk shrink exp 前置知识 unsortedbin attacklargebin attackoff by null构造chunk shrink 整体思路 这道题即是house of storm。除了house of storm&#x…

优优嗨聚:美团代运营服务,为商家赋能,打造流量转化的秘密武器

随着互联网的飞速发展&#xff0c;人们越来越依赖线上平台进行消费。作为国内领先的电商平台之一&#xff0c;美团吸引了众多商家入驻。然而&#xff0c;如何在竞争激烈的美团平台上脱颖而出&#xff0c;成为了商家们面临的一大挑战。此时&#xff0c;美团代运营服务应运而生&a…

html 粒子效果文字特效

有两个代码如下&#xff1a; index.html <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns"http://www.w3.org/1999/xhtml"> <head>…

HTML5和CSS3的新特性

HTML5的新特性主要是针对于以前的不足&#xff0c;增加了一些新的标签、新的表单和新的表单属性等 1&#xff0c;HTML5新增的语义化标签 <header> 头部标签 <nav> 导航标签 <article> …

《WebKit 技术内幕》学习之九(4): JavaScript引擎

4 实践——高效的JavaScript代码 4.1 编程方式 关于如何使用JavaScript语言来编写高效的代码&#xff0c;有很多铺天盖地的经验分享&#xff0c;以及很多特别好的建议&#xff0c;读者可以搜索相关的词条&#xff0c;就能获得一些你可能需要的结果。同时&#xff0c;本节希望…

记录centos安装nginx过程和问题

今天在centos上安装了nginx&#xff0c;遇到了些问题&#xff0c;记录一下。 使用yum直接安装的话安装的版本是1.20.1&#xff0c;使用源码包安装可以装到1.25.0&#xff08;最新稳定版&#xff09;。很有意思的一点是两种安装方法下安装的路径是不同的&#xff0c;且源码安装…

第一讲:入门知识笔记

python 变量无类型&#xff0c;但值里面有类型。 动态类型语言&#xff08;python&javascript&#xff09;Subtraction num 10 print(num / 2, num // 3, num // -3) # 5.0, 3, -4 向下取整 int(num / 3) # 不用向下取整的办法reverse 3-digit number def res(num):digi…

Java 面向对象案例 03(黑马)

代码&#xff1a; public class phoneTest {public static void main(String[] args) {phone [] arr new phone[3];phone p1 new phone("华为",6999,"白色");phone p2 new phone("vivo",4999,"蓝色");phone p3 new phone("苹…

手把手教你用深度学习做物体检测(一): 快速感受物体检测的酷炫

我们先来看看什么是物体检测&#xff0c;见下图&#xff1a; 如上图所示&#xff0c; 物体检测就是需要检测出图像中有哪些目标物体&#xff0c;并且框出其在图像中的位置。 本篇文章&#xff0c;我将会介绍如何利用训练好的物体检测模型来快速实现上图的效果&#xff0c;这里…

Pyside6中QTableWidget使用

目录 一&#xff1a;介绍&#xff1a; 二&#xff1a;演示 一&#xff1a;介绍&#xff1a; 在 PySide6 中&#xff0c;QTableWidget 是一个用于展示和编辑表格数据的控件。它提供了在窗口中创建和显示表格的功能&#xff0c;并允许用户通过单元格来编辑数据。 要使用 QTabl…

什么是功能测试?原因、方式和类型

功能测试是软件开发和部署之间的检查点。每次点击和每次交互都需要严格的功能测试过程。这不仅仅是为了识别错误&#xff0c;更是为了确保无缝、以用户为中心的体验。完善您的方法并提供功能强大、令人印象深刻且吸引人的软件所需的见解。 什么是功能测试 首先&#xff0c;功能…

多线程批量同步数据到ES

需求背景&#xff1a;新增了ES&#xff0c;现在要讲数据库某张表的数据同步到ES中&#xff0c;百万级的数据量一次性读取同步肯定不行&#xff0c;所以可以用多线程同步执行同步数据。 1.线程池配置类 Configuration public class ThreadPoolConfig {/*** 核心线程池大小*/pr…

C语言学习(5)—— 数组

一、一维数组 1. 基本数据类型的数组 数组的定义&#xff1a;数据类型 数组名 [数组大小]; 数组名就代表该数组的首地址&#xff0c;即a[0]的地址 使用下标来访问数组元素 数组是多个相同类型数据的组合&#xff0c;一个数组一旦定义了&#xff0c;其长度是固定的&…

开源模型应用落地-业务整合篇(四)

一、前言 通过学习第三篇文章,我们已经成功地建立了IM与AI服务之间的数据链路。然而,我们目前面临一个紧迫需要解决的安全性问题,即非法用户可能会通过获取WebSocket的连接信息,顺利地连接到我们的服务。这不仅占用了大量的无效连接和资源,还对业务数据带来了潜在的风险。…

build.gradle标签详解

一、简介 Gradle是一个开源的构建自动化工具&#xff0c;主要用于Java、Groovy和其他JVM语言的项目。它使用一个基于Groovy或Kotlin的特定领域语言(DSL)来声明项目设置&#xff0c;从而摒弃了基于XML的繁琐配置。build.gradle是Gradle项目的核心配置文件&#xff0c;它定义了项…