jpa中::::_项目学生:JPA标准查询

jpa中::::

这是Project Student的一部分。 其他职位包括带有Jersey的Webservice Client,带有Jersey的 Webservice Server , 业务层 , 具有Spring Data的持久性 ,分片集成测试数据和Webservice Integration 。

我们已经介绍了CRUD的基本操作,但是并没有花太多时间。 Spring Data使包含基本搜索变得容易,但是拥有其他标准选项也很重要。 JPA标准查询是最重要的查询之一。

Spring Data JPA教程– JPA Criteria Queries [http://www.petrikainulainen.net]是对该材料的很好介绍。

设计决策

JPA标准 –我使用的是JPA标准搜索,而不是querydsl。 稍后我将返回querydsl。

局限性

违反封装 –此设计需要打破使每个层完全不了解其他层的实现细节的体系结构目标。 这是一个非常小的违反行为-仅JPA规范-我们仍然必须处理分页。 将它们放在一起,我觉得此时过分担心这个还为时过早。

Web服务 -不更新web服务客户端和服务器。 同样,我们仍然必须处理分页,并且无论如何我们现在要做的任何事情都必须更改。

重构先前的工作

我对以前的工作有三点改变。

findCoursesByTestRun()

我已经定义了方法:

List findCoursesByTestRun(TestRun testRun);

在课程库中。 那没有预期的效果。 我需要的是

List findCoursesByTestRun_Uuid(String uuid);

对调用代码进行适当的更改。 或者,您可以只使用下面讨论的JPA条件查询。

FinderService和ManagerService

这来自Jumpstart网站上的研究。 作者将标准服务接口分为两部分:

  • FinderService –只读操作(搜索)
  • ManagerService –读写操作(创建,更新,删除)

这很有道理,例如,当我们可以在类与方法级别上进行操作时,通过AOP添加行为会容易得多。 我在现有代码中做了适当的更改。

查找错误

我已经修复了FindBugs发现的许多问题。

元数据

我们首先允许对持久对象的元数据访问。 这使我们能够创建可以通过JPA实现进行优化的查询。

import javax.persistence.metamodel.SingularAttribute;
import javax.persistence.metamodel.StaticMetamodel;@StaticMetamodel(Course.class)
public class Course_ {public static volatile SingularAttribute<Course, TestRun> testRun;
}

@StaticMetamodel(TestRun.class)
public class TestRun_ {public static volatile SingularAttribute<TestRun, String> uuid;
}

由于约定优于配置,因此需要类的名称。

  • 有关此功能的讨论,请参见静态元数据 [jboss.org]。

技术指标

现在,我们可以使用现在可用的元数据创建查询规范。 这是一个稍微复杂的查询,因为我们需要深入研究结构。 (这不需要实际的联接,因为testrun uuid用作外键。)

public class CourseSpecifications {/*** Creates a specification used to find courses with the specified testUuid.* * @param testRun* @return*/public static Specification<Course> testRunIs(final TestRun testRun) {return new Specification<Course>() {@Overridepublic Predicate toPredicate(Root<Course> courseRoot, CriteriaQuery<?> query, CriteriaBuilder cb) {Predicate p = null;if (testRun == null || testRun.getUuid() == null) {p = cb.isNull(courseRoot.<Course_> get("testRun"));} else {p = cb.equal(courseRoot.<Course_> get("testRun").<TestRun_> get("uuid"), testRun.getUuid());}return p;}};}
}

一些文档建议我可以使用get(Course_.testRun)代替get(“ testRun”),但是eclipse在get()方法上将其标记为类型冲突。 你的旅费可能会改变。

Spring数据仓库

我们必须告诉Spring Data我们正在使用JPA Criteria查询。 这是通过扩展JpaSpecificationExecutor接口来完成的。

@Repository
public interface CourseRepository extends JpaRepository<Course, Integer>,JpaSpecificationExecutor<Course> {Course findCourseByUuid(String uuid);List findCoursesByTestRunUuid(String uuid);
}

FinderService实施

现在,我们可以在我们的服务实现中使用JPA规范。 如上所述,使用JPA Criteria Specification违反了封装。

import static com.invariantproperties.sandbox.student.specification.CourseSpecifications.testRunIs;@Service
public class CourseFinderServiceImpl implements CourseFinderService {@Resourceprivate CourseRepository courseRepository;/*** @see com.invariantproperties.sandbox.student.business.FinderService#*      count()*/@Transactional(readOnly = true)@Overridepublic long count() {return countByTestRun(null);}/*** @see com.invariantproperties.sandbox.student.business.FinderService#*      countByTestRun(com.invariantproperties.sandbox.student.domain.TestRun)*/@Transactional(readOnly = true)@Overridepublic long countByTestRun(TestRun testRun) {long count = 0;try {count = courseRepository.count(testRunIs(testRun));} catch (DataAccessException e) {if (!(e instanceof UnitTestException)) {log.info("internal error retrieving classroom count by " + testRun, e);}throw new PersistenceException("unable to count classrooms by " + testRun, e, 0);}return count;}/*** @see com.invariantproperties.sandbox.student.business.CourseFinderService#*      findAllCourses()*/@Transactional(readOnly = true)@Overridepublic List<Course> findAllCourses() {return findCoursesByTestRun(null);}/*** @see com.invariantproperties.sandbox.student.business.CourseFinderService#*      findCoursesByTestRun(java.lang.String)*/@Transactional(readOnly = true)@Overridepublic List<Course> findCoursesByTestRun(TestRun testRun) {List<Course> courses = null;try {courses = courseRepository.findAll(testRunIs(testRun));} catch (DataAccessException e) {if (!(e instanceof UnitTestException)) {log.info("error loading list of courses: " + e.getMessage(), e);}throw new PersistenceException("unable to get list of courses.", e);}return courses;}....
}

单元测试

我们的单元测试需要稍做更改才能使用规范。

public class CourseFinderServiceImplTest {private final Class<Specification<Course>> sClass = null;@Testpublic void testCount() {final long expected = 3;final CourseRepository repository = Mockito.mock(CourseRepository.class);when(repository.count(any(sClass))).thenReturn(expected);final CourseFinderService service = new CourseFinderServiceImpl(repository);final long actual = service.count();assertEquals(expected, actual);}@Testpublic void testCountByTestRun() {final long expected = 3;final TestRun testRun = new TestRun();final CourseRepository repository = Mockito.mock(CourseRepository.class);when(repository.count(any(sClass))).thenReturn(expected);final CourseFinderService service = new CourseFinderServiceImpl(repository);final long actual = service.countByTestRun(testRun);assertEquals(expected, actual);}@Test(expected = PersistenceException.class)public void testCountError() {final CourseRepository repository = Mockito.mock(CourseRepository.class);when(repository.count(any(sClass))).thenThrow(new UnitTestException());final CourseFinderService service = new CourseFinderServiceImpl(repository);service.count();}@Testpublic void testFindAllCourses() {final List<Course> expected = Collections.emptyList();final CourseRepository repository = Mockito.mock(CourseRepository.class);when(repository.findAll(any(sClass))).thenReturn(expected);final CourseFinderService service = new CourseFinderServiceImpl(repository);final List<Course> actual = service.findAllCourses();assertEquals(expected, actual);}@Test(expected = PersistenceException.class)public void testFindAllCoursesError() {final CourseRepository repository = Mockito.mock(CourseRepository.class);final Class<Specification<Course>> sClass = null;when(repository.findAll(any(sClass))).thenThrow(new UnitTestException());final CourseFinderService service = new CourseFinderServiceImpl(repository);service.findAllCourses();}@Testpublic void testFindCourseByTestUuid() {final TestRun testRun = new TestRun();final Course course = new Course();final List<Course> expected = Collections.singletonList(course);final CourseRepository repository = Mockito.mock(CourseRepository.class);when(repository.findAll(any(sClass))).thenReturn(expected);final CourseFinderService service = new CourseFinderServiceImpl(repository);final List actual = service.findCoursesByTestRun(testRun);assertEquals(expected, actual);}@Test(expected = PersistenceException.class)public void testFindCourseByTestUuidError() {final TestRun testRun = new TestRun();final CourseRepository repository = Mockito.mock(CourseRepository.class);when(repository.findAll(any(sClass))).thenThrow(new UnitTestException());final CourseFinderService service = new CourseFinderServiceImpl(repository);service.findCoursesByTestRun(testRun);}@Testpublic void testFindCoursesByTestUuid() {final TestRun testRun = new TestRun();final Course course = new Course();final List<Course> expected = Collections.singletonList(course);final CourseRepository repository = Mockito.mock(CourseRepository.class);when(repository.findAll(any(sClass))).thenReturn(expected);final CourseFinderService service = new CourseFinderServiceImpl(repository);final List<Course> actual = service.findCoursesByTestRun(testRun);assertEquals(expected, actual);}@Test(expected = PersistenceException.class)public void testFindCoursesByTestUuidError() {final TestRun testRun = new TestRun();final CourseRepository repository = Mockito.mock(CourseRepository.class);when(repository.findAll(any(sClass))).thenThrow(new UnitTestException());final CourseFinderService service = new CourseFinderServiceImpl(repository);service.findCoursesByTestRun(testRun);}....
}

通过使用@Begin方法,我可以消除很多重复的代码,但是我决定反对它来支持并行测试。

整合测试

我们终于来进行集成测试。 我们知道我们做对了,因为唯一的一行可以测试附加功能-计算数据库中的课程数量。

@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(classes = { BusinessApplicationContext.class, TestBusinessApplicationContext.class,TestPersistenceJpaConfig.class })
@Transactional
@TransactionConfiguration(defaultRollback = true)
public class CourseServiceIntegrationTest {@Resourceprivate CourseFinderService fdao;@Resourceprivate CourseManagerService mdao;@Resourceprivate TestRunService testService;@Testpublic void testCourseLifecycle() throws Exception {final TestRun testRun = testService.createTestRun();final String name = "Calculus 101 : " + testRun.getUuid();final Course expected = new Course();expected.setName(name);assertNull(expected.getId());// create courseCourse actual = mdao.createCourseForTesting(name, testRun);expected.setId(actual.getId());expected.setUuid(actual.getUuid());expected.setCreationDate(actual.getCreationDate());assertThat(expected, equalTo(actual));assertNotNull(actual.getUuid());assertNotNull(actual.getCreationDate());// get course by idactual = fdao.findCourseById(expected.getId());assertThat(expected, equalTo(actual));// get course by uuidactual = fdao.findCourseByUuid(expected.getUuid());assertThat(expected, equalTo(actual));// get all coursesfinal List<Course> courses = fdao.findCoursesByTestRun(testRun);assertTrue(courses.contains(actual));// count coursesfinal long count = fdao.countByTestRun(testRun);assertTrue(count > 0);// update courseexpected.setName("Calculus 102 : " + testRun.getUuid());actual = mdao.updateCourse(actual, expected.getName());assertThat(expected, equalTo(actual));// delete Coursemdao.deleteCourse(expected.getUuid(), 0);try {fdao.findCourseByUuid(expected.getUuid());fail("exception expected");} catch (ObjectNotFoundException e) {// expected}testService.deleteTestRun(testRun.getUuid());}
}

源代码

  • 可从http://code.google.com/p/invariant-properties-blog/source/browse/student获取源代码。

参考: 项目学生: Invariant Properties博客上来自JCG合作伙伴 Bear Giles的JPA标准查询 。

翻译自: https://www.javacodegeeks.com/2014/01/project-student-jpa-criteria-queries.html

jpa中::::

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

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

相关文章

【渝粤题库】陕西师范大学800011 专题地图制图

《专题地图制图》作业 一、名词解释 1、专题地图 2、范围法 3、绝对比率符号 4、电子地图 5、普通地图 6、质底法 7、分级统计图法 8、条件比率符号 9、视觉重力 10、定位图表法 11、连续比率符号 12、互补色 二、填空 1、专题地图按照内容的概括程度可以分为 、 、 。 2、专题…

国家开放大学2021春1098中学数学教学研究题目

教育 教育 试卷代号&#xff1a;1098 2021年春季学期期末统一考试 中学数学教学研究 试题 2021年7月 一、填空题&#xff08;本题共20分&#xff0c;每个空2分&#xff09; 1&#xff0e;布卢姆把认知领域的目标分为 、 、 、________4个等级目标。 2&#xff0e;中学数学教学…

java 注解scheduler_使用spring的@Scheduled注解执行定时任务,启动项目不输出警告

在applicationContext.xml中添加&#xff1a;xmlns:task"http://www.springframework.org/schema/task"xsi:schemaLocation"http://www.springframework.org/schema/taskhttp://www.springframework.org/schema/task/spring-task-4.0.xsd">java代码&…

具有ELK的APIGEE API网关日志管理(Elastic Search,Logstash和Kibana)

在本文中&#xff0c;我们将看到如何使用 Elastic Search &#xff0c; Logstash 和 Kibana 管理APIGEE API网关生成的日志 。 下图突出显示了日志数据如何流经ELK堆栈以进行数据可视化和监视。 作为API网关的一部分&#xff0c;我们将使用MessageLogging策略在代理流&#xf…

【渝粤题库】陕西师范大学209010 现代教育战略 作业 (专升本)

《现代教育战略》作业 一、辨析题 1.战术是战略的具体表现形式&#xff0c;二者是一般和特殊的关系。 2.政治品德素质是一个人对国家、民族的政治意识、立场&#xff0c;是一个人的道德好感&#xff0c;是不可教的。 3.创新的新就一般意义的新事物。 4.能力就是一个所拥有的知识…

【渝粤教育】电大中专混凝土结构题库作业 题库

1.题结构试验时&#xff0c;试件的就位型式最符合实际受力状态而应优先采用的是() A.反位试验 B.正位试验 C.卧位试验 D.异位试验 正确 正确答案&#xff1a;左边查询 学生答案&#xff1a;B 2.非破损检测技术可应用于混凝土、钢材和砖石砌体等各种材料组成的结构构件的结构试验…

java中PL层_安装pljava - RuralHunter的个人空间 - OSCHINA - 中文开源技术交流社区

pljava是pgsql跟java的桥接&#xff0c;安装以后就可以在pgsql里面调用java了。这里记录一下我在ubuntu server下安装的过程1. 下载源码编译很简单&#xff0c;下载&#xff0c;解压&#xff0c;设置一下JAVA_HOME(如果没设的话)&#xff0c;然后make2. 把生成的build目录里面的…

【渝粤题库】广东开放大学 民事诉讼法学 形成性考核

选择题 题目&#xff1a;在仲裁裁决具有可撤销的法定理由时&#xff0c;仲裁当事人可以向法院申请撤销该仲裁裁决&#xff0c;法院认为当事人的申请具有法定撤销理由的&#xff0c;可以&#xff08; &#xff09;仲裁裁决。 答案&#xff1a; A、调解 B、裁定撤销 C、判决撤销…

java依赖注入_Java依赖注入选项

java依赖注入我想花一些时间来总结一些流行的Java依赖注入&#xff08;DI&#xff09;框架。 这是可用功能的高级概述。 首先&#xff0c;什么是依赖注入&#xff1f; “依赖注入是一种软件设计模式&#xff0c;可以删除硬编码的依赖&#xff0c;并可以在运行时或编译时更改它…

【渝粤教育】电大中专跨境电子商务理论与实务 (19)作业 题库

1.亚马逊的运营模式是M2C模式:平台招商。该说法&#xff08; &#xff09; A.错误 B.正确 错误 正确答案&#xff1a;左边查询 学生答案&#xff1a;未作答 2.B2C跨境电商或平台的代表企业有敦煌网&#xff0e;阿里巴巴国际站。该说法&#xff08; &#xff09; A.错误 B.正确 …

Java连接微软ad_Java:连接到Active Directory(AD)?

我正在尝试与AD联系。我试图用这个代码来连接&#xff0c;但它似乎并没有连接。我很抱歉不能比这更具体&#xff0c;但这只是我所知道的。什么都没发生。我已经删除了我认为是这个类的非必要部分&#xff0c;在那里处理结果&#xff0c;因为在这一点上根本没有任何结果需要处理…

java se 定时任务_Java实现定时任务的三种方法

一、Quartz的特点 按作业类的继承方式来分&#xff0c;主要有以下两种&#xff1a; 作业类继承org.springframework.scheduling.quartz.QuartzJobBean类的方式作业类不继承org.springframework.scheduling.quartz.QuartzJobBean类的方式 注&#xff1a;个人比较推崇第二种&…

Spring框架介绍

这是Spring框架和Spring核心概念的简介。 在本教程中&#xff0c;我们将介绍Spring Framework的主要优点和功能。 在随后的教程中&#xff0c;我们将学习有关Spring和Spring Boot的更多信息。 总览 我们知道&#xff0c; Spring框架是Java开发人员中最受欢迎的应用程序框架。 …

【渝粤教育】电大中专职业生涯规划 (2)_1作业 题库

1职业价值观具有明确的目的性、&#xff08;&#xff09;和坚定性的职业选择的态度和行为。 A自由性 B动机性 C自觉性 D制约性 错误 正确答案&#xff1a;左边查询 学生答案&#xff1a;A 2不属于探索价值观方法的是&#xff08;&#xff09;。 A澄清反应法 B意见表决法 C间接提…

【渝粤教育】电大中专会计电算化_1作业 题库

1.下列有关会计电算化狭义概念的说法正确的是()。 A.以会计理论为主体的电子信息技术在会计工作中的应用 B.与实现电算化有关的所有工作 C.以电子计算机为主体的电子信息技术在会计工作中的应用 D.与实现电算化有关的主要工作 错误 正确答案&#xff1a;左边查询 学生答案&…

java 移动其他窗口_移动窗口平均值不等

TL;DR: 无论如何我可以摆脱我的第二个 for -loop&#xff1f;我在2D网格上有一系列时间点 . 为了消除它们位置的快速波动&#xff0c;我在一个帧窗口上平均坐标 . 现在在我的情况下&#xff0c;它想要包含特定点的帧&#xff0c;如果它的行程比 cut_off 值更远 .在第一个 for -…

auot lisp 选择集处理_请教个选择集排序的问题 - AutoLISP/Visual LISP 编程技术 - CAD论坛 - 明经CAD社区 - Powered by Discuz!...

本帖最后由 vlisp2012 于 2013-10-9 16:27 编辑通过ssget获得的选择集的排序&#xff0c;无法很好的控制&#xff0c;每次下面材的时候&#xff0c;都是通过fence&#xff0c;画线选择板块&#xff0c;很繁琐。我想编辑一个程序&#xff0c;通过x坐标和y坐标来对面材(封闭多段线…

mockito模拟依赖注入_使用Mockito模拟自动装配的字段

mockito模拟依赖注入依赖注入是诸如Spring和EJB之类的Control容器反转的非常强大的功能。 将注入的值封装到私有字段中总是一个好主意。 但是&#xff0c;自动连线字段的封装会降低可测试性。 我喜欢Mockito解决此问题以模拟自动装配字段的方式。 将在示例中进行解释。 &#…

【渝粤教育】电大中专药物化学基础_1作业 题库

1.关于药物的分配系数对药效的影响&#xff0c;叙述正确的是&#xff08;&#xff09;。 A.分配系数愈小&#xff0c;药效愈好 B.分配系数愈大&#xff0c;药效愈好 C.分配系数愈小&#xff0c;药效愈低 D.分配系数愈大&#xff0c;药效愈低 E.分配系数适当&#xff0c;药效为好…

【渝粤教育】广东开放大学 动画原画设计 形成性考核 (22)

选择题 题目&#xff1a;默认情况下&#xff0c;用户在使用形状工具绘制形状时&#xff0c;形状图层的内容均以哪种形式填充。 题目&#xff1a;利用颜色取样器获取颜色时&#xff0c;最多可以创建多少个取样点 题目&#xff1a;哪种滤镜可以把图像变得柔和&#xff1f; 题目&a…