[Spring Batch 系列] 第一节 初识 Spring Batch
距离开始使用 Spring Batch 有一段时间了,一直没有时间整理,现在项目即将完结,整理下这段时间学习和使用经历。
官网地址:http://projects.spring.io/spring-batch/
一、定义与特点
A lightweight, comprehensive batch framework designed to enable the development of robust batch applications vital for the daily operations of enterprise systems.
Spring Batch provides reusable functions that are essential in processing large volumes of records, including logging/tracing, transaction management, job processing statistics, job restart, skip, and resource management. It also provides more advanced technical services and features that will enable extremely high-volume and high performance batch jobs through optimization and partitioning techniques. Simple as well as complex, high-volume batch jobs can leverage the framework in a highly scalable manner to process significant volumes of information.
Features
- Transaction management
- Chunk based processing
- Declarative I/O
- Start/Stop/Restart
- Rety/Skip
- Web based administration interface (Spring Batch Admin)
二、简介
Spring Batch 是一个依托 Spring,面向批处理的框架,可以应用于企业级数据处理系统。通过阅读官网文档,可以知道 Spring Batch 的核心组件包括 Job、Step 等。Spring Batch 不仅提供了统一的读写接口、丰富的任务处理方式、灵活的事务管理及并发处理,同时还支持日志、监控、任务重启与跳过等特性,大大简化了批处理应用开发,将开发人员从复杂的任务配置管理过程中解放出来,使他们可以更多地去关注核心的业务处理过程。
使用场景
- Commit batch process periodically
- Concurrent batch processing: parallel processing of a job
- Staged, enterprise message-driven processing
- Massively parallel batch processing
- Manual or scheduled restart after failure
- Sequential processing of dependent steps (with extensions to workflow-driven batches)
- Partial processing: skip records (e.g. on rollback)
- Whole-batch transaction: for cases with a small batch size or existing stored procedures/scripts
三、HelloWorld
程序简介:从指定路径的文本文件中逐行读取,获取用户的姓和名,并在处理器中拼接用户的姓名,最后输出用户的姓名。
操作系统:Win7 x64 旗舰版
开发环境:Eclipse 4.3 、JDK1.6
步骤:
1. 搭建开发工程
打开Eclipse, 新建 Java Project ,本例使用 SpringBatchTest 为项目名。
新建 lib 文件夹,导入 SpringBatch 的 Jar 包和其他依赖包。建立相关 package 和 class ,得到结构如下图:
其中 包 和 类 定义:
acc 存放访问控制类(本例准备存放作业测试类)
batch.listener 存放批处理监听器
batch.processor 存放 ItemProcessor实现类
batch.reader 存放 ItemReader 实现类
batch.writer 存放 ItemWriter 实现类
batch.mapper 存放逻辑对象映射处理类(本例准备存放文本行于文本行对象映射处理类)
batch.data 存放批处理过程中使用的逻辑对象
BatchServer.java 定义批处理任务方法接口
配置文件 定义:
spring-application-batch.xml 定义spring batch 核心组件和自定义作业
spring-application-resource.xml 定义spring 组件
spring-application-context.xml 根配置文件,引入使用的配置文件,并控制配置文件引入顺序
2. 编写配置文件和对应的程序代码
由于开发过程中,配置文件和程序是并行书写的,所以以下内容无特定顺序
(1) Spring Batch 配置文件及其中定义的组件实例
spring-application-batch.xml
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:batch="http://www.springframework.org/schema/batch"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans-3.0.xsd
http://www.springframework.org/schema/batch
http://www.springframework.org/schema/batch/spring-batch-2.2.xsd"
default-autowire="byName"> <!-- Spring Batch 内存模型 -->
<bean id="jobRepository" class="org.springframework.batch.core.repository.support.MapJobRepositoryFactoryBean" />
<bean id="jobLauncher" class="org.springframework.batch.core.launch.support.SimpleJobLauncher">
<property name="jobRepository" ref="jobRepository" />
</bean>
<bean id="taskExecutor" class="org.springframework.core.task.SyncTaskExecutor" /> <!-- 文本行与逻辑对象映射处理 -->
<bean id="customerLineMapper" class="cn.spads.batch.mapper.CustomLineMapper"/>
<bean id="lineTokenizer" class="org.springframework.batch.item.file.transform.DelimitedLineTokenizer" >
<property name="delimiter" value=" "/>
</bean> <!-- Scope = step 变量后绑定固定写法,即可以在对象调用时绑定变量 -->
<bean id="customReader" class="org.springframework.batch.item.file.FlatFileItemReader" scope="step">
<property name="lineMapper">
<bean class="org.springframework.batch.item.file.mapping.DefaultLineMapper">
<property name="lineTokenizer" ref="lineTokenizer"/>
<property name="fieldSetMapper" ref="customerLineMapper"/>
</bean>
</property>
<!-- 此处使用单一文件绝对路径 -->
<property name="resource" value="file:#{jobParameters['customFileAbPath']}"/>
</bean> <bean id="customProcessor" class="cn.spads.batch.processor.CustomProcessor"/>
<bean id="customWriter" class="cn.spads.batch.writer.CustomWriter"/> <bean id="customJobListener" class="cn.spads.batch.listener.CustomJobListener"/>
<bean id="customStepListener" class="cn.spads.batch.listener.CustomStepListener"/> <batch:job id="customJob">
<batch:step id="customJob_first_step">
<batch:tasklet>
<batch:chunk reader="customReader" processor="customProcessor"
writer="customWriter" commit-interval="100">
</batch:chunk>
<batch:listeners>
<batch:listener ref="customStepListener" />
</batch:listeners>
</batch:tasklet>
</batch:step>
<batch:listeners>
<batch:listener ref="customJobListener"/>
</batch:listeners>
</batch:job>
</beans>
由于本示例使用Spring Batch 提供 的固定长度文本加载实例(FlatFileItemReader),因此没有自定义 Reader。
LineVo.java
package cn.spads.batch.data; /**
* <b>文本行逻辑对象</b><br>
* @author Gaylen
* @version V1.1.0
* history
* 1.1.0, 2014年11月24日 Gaylen FE
* @since Java 6.0
*/
public class LineVo { /** 行号 */
private int id;
/** 名 */
private String givenName;
/** 姓 */
private String familyName;
/** 全名 */
private String fullName; public int getId() {
return id;
} public void setId(int id) {
this.id = id;
} public String getGivenName() {
return givenName;
} public void setGivenName(String givenName) {
this.givenName = givenName;
} public String getFamilyName() {
return familyName;
} public void setFamilyName(String familyName) {
this.familyName = familyName;
} public String getFullName() {
return fullName;
} public void setFullName(String fullName) {
this.fullName = fullName;
}
}
CustomLineMapper.java
package cn.spads.batch.mapper; import org.springframework.batch.item.file.mapping.FieldSetMapper;
import org.springframework.batch.item.file.transform.FieldSet;
import org.springframework.validation.BindException; import cn.spads.batch.data.LineVo; /**
* <b>文本行-逻辑对象映射</b><br>
* @author Gaylen
* @version V1.1.0
* history
* 1.1.0, 2014-11-24 Gaylen FE
* @since Java 6.0
*/
public class CustomLineMapper implements FieldSetMapper<LineVo> { /**
* <b>映射处理</b><br>
* @param fieldSet
* @return DelCommandBean
*/
@Override
public LineVo mapFieldSet(FieldSet fieldSet) throws BindException {
LineVo lv = new LineVo();
lv.setId(Integer.parseInt(fieldSet.readString(0)));
lv.setGivenName(fieldSet.readString(1));
lv.setFamilyName(fieldSet.readString(2));
return lv;
}
}
CustomProcessor.java
package cn.spads.batch.processor; import org.springframework.batch.item.ItemProcessor; import cn.spads.batch.data.LineVo; /**
* <b>处理器</b><br>
* @author Gaylen
* @version V1.1.0
* history
* 1.1.0, 2014年11月24日 Gaylen FE
* @since Java 6.0
*/
public class CustomProcessor implements ItemProcessor<LineVo, LineVo> { @Override
public LineVo process(LineVo item) throws Exception {
if (item == null) {
return null;
}
item.setFullName(new StringBuilder().append(item.getFamilyName() == null ? "*" : item.getFamilyName())
.append(" - ")
.append(item.getGivenName() == null ? "*" : item.getGivenName())
.toString());
return item;
}
}
CustomWriter.java
package cn.spads.batch.writer; import java.util.List; import org.springframework.batch.item.ItemWriter; import cn.spads.batch.data.LineVo; /**
* <b>输出</b><br>
* @author Gaylen
* @version V1.1.0
* history
* 1.1.0, 2014年11月24日 Gaylen FE
* @since Java 6.0
*/
public class CustomWriter implements ItemWriter<LineVo> { @Override
public void write(List<? extends LineVo> items) throws Exception {
if (items == null || items.size() == 0) {
System.out.println("error.");
} else {
for (LineVo lv : items) {
System.out.println(lv.getFullName());
}
} }
}
CustomJobListener.java 和 CustomStepListener.java 本例中只给出空定义。
BatchServer.java
package cn.spads.batch; import java.util.Calendar;
import java.util.Date;
import java.util.HashMap;
import java.util.Map;
import java.util.Map.Entry; import org.springframework.batch.core.Job;
import org.springframework.batch.core.JobExecution;
import org.springframework.batch.core.JobParameter;
import org.springframework.batch.core.JobParameters;
import org.springframework.batch.core.JobParametersInvalidException;
import org.springframework.batch.core.launch.JobLauncher;
import org.springframework.batch.core.repository.JobExecutionAlreadyRunningException;
import org.springframework.batch.core.repository.JobInstanceAlreadyCompleteException;
import org.springframework.batch.core.repository.JobRestartException; /**
* <b>批处理服务接口</b><br>
* @author Gaylen
* @version V1.1.0
* history
* 1.1.0, 2014年11月24日 Gaylen FE
* @since Java 6.0
*/
public class BatchServer { /** 类单例对象 */
private static final BatchServer INSTANCE = new BatchServer(); /**
* 单例
* @return
*/
public static BatchServer getInstance() {
return INSTANCE;
} /**
* 私有构造方法
*/
private BatchServer() { } /**
* <b>测试作业</b><br>
* @param launcher
* @param job
* @param paraMap
*/
public void execCustomJob(JobLauncher launcher, Job job, Map<String, Object> paraMap) {
JobExecution result = this.executeBatchJob(launcher, job, this.getJobParameters(paraMap));
System.out.println(result.toString());
} /**
* <b>得到作业选项</b><br>
* 默认配置任务开始时间
* @param paraMap
* @return
*/
private JobParameters getJobParameters(Map<String, Object> paraMap) {
HashMap<String, JobParameter> parameters = new HashMap<String, JobParameter>();
parameters.put("time", new JobParameter(Calendar.getInstance().getTimeInMillis()));
String key = null;
Object value = null; if (paraMap == null || paraMap.size() == 0) {
return new JobParameters(parameters);
} for (Entry<String, Object> entry : paraMap.entrySet()) {
if (entry == null) {
continue;
}
key = entry.getKey();
value = entry.getValue(); if (value instanceof Date) {
parameters.put(key, new JobParameter((Date) value));
} else if (value instanceof String || value instanceof Integer) {
parameters.put(key, new JobParameter((String) value));
} else if (value instanceof Double) {
parameters.put(key, new JobParameter((Double) value));
} else if (value instanceof Long) {
parameters.put(key, new JobParameter((Long) value));
}
} return new JobParameters(parameters);
} /**
* <b>批处理执行器</b><br>
* @param joblanuncher
* @param job
* @param parameters
*/
public JobExecution executeBatchJob(JobLauncher launcher, Job job, JobParameters jobParameters) {
JobExecution result = null;
try {
result = launcher.run(job, jobParameters);
} catch (JobExecutionAlreadyRunningException e) {
e.printStackTrace();
} catch (JobRestartException e) {
e.printStackTrace();
} catch (JobInstanceAlreadyCompleteException e) {
e.printStackTrace();
} catch (JobParametersInvalidException e) {
e.printStackTrace();
}
return result;
}
}
(2) acc 包下 新建测试类 MainTest.java 并在 I盘 新建 SpringBatchTest.txt
package cn.spads.acc; import java.util.HashMap;
import java.util.Map; import org.springframework.batch.core.Job;
import org.springframework.batch.core.launch.JobLauncher;
import org.springframework.context.ApplicationContext;
import org.springframework.context.support.FileSystemXmlApplicationContext; import cn.spads.batch.BatchServer; /**
* <b>批处理测试入口</b><br>
* @author Gaylen
* @version V1.1.0
* history
* 1.1.0, 2014年11月24日 Gaylen FE
* @since Java 6.0
*/
public class MainTest { static private String fileLocation = "I:/SpringBatchTest.txt"; static private void testCustomJob(ApplicationContext context) {
JobLauncher launcher = (JobLauncher) context.getBean("jobLauncher");
Job job = (Job) context.getBean("customJob");
Map<String, Object> paraMap = new HashMap<String, Object>();
paraMap.put("customFileAbPath", fileLocation);
BatchServer.getInstance().execCustomJob(launcher, job, paraMap);
} public static void main(String[] args) {
ApplicationContext context = new FileSystemXmlApplicationContext("config/spring-application-context.xml");
testCustomJob(context);
}
}
文本文件(SpringBatchTest.txt)内容如下:
1 三 张
2 四 李
3 五 王
4 六 马
通过以上步骤, project 目录结构应如下图:
3. 至此整个 HelloWorld 项目搭建完成, 可以运行程序,得到输出结果如下:
2014-11-25 0:12:28 org.springframework.context.support.FileSystemXmlApplicationContext prepareRefresh
信息: Refreshing org.springframework.context.support.FileSystemXmlApplicationContext@bf32c: startup date [Tue Nov 25 00:12:28 CST 2014]; root of context hierarchy
2014-11-25 0:12:28 org.springframework.beans.factory.xml.XmlBeanDefinitionReader loadBeanDefinitions
信息: Loading XML bean definitions from file [D:\LocalDEV\workspace43\SpringBatchTest\config\spring-application-context.xml]
2014-11-25 0:12:28 org.springframework.beans.factory.xml.XmlBeanDefinitionReader loadBeanDefinitions
信息: Loading XML bean definitions from file [D:\LocalDEV\workspace43\SpringBatchTest\config\spring-application-resource.xml]
2014-11-25 0:12:28 org.springframework.beans.factory.xml.XmlBeanDefinitionReader loadBeanDefinitions
信息: Loading XML bean definitions from file [D:\LocalDEV\workspace43\SpringBatchTest\config\spring-application-batch.xml]
2014-11-25 0:12:28 org.springframework.beans.factory.support.DefaultListableBeanFactory registerBeanDefinition
信息: Overriding bean definition for bean 'customJob': replacing [Generic bean: class [org.springframework.batch.core.configuration.xml.SimpleFlowFactoryBean]; scope=; abstract=false; lazyInit=false; autowireMode=0; dependencyCheck=0; autowireCandidate=true; primary=false; factoryBeanName=null; factoryMethodName=null; initMethodName=null; destroyMethodName=null] with [Generic bean: class [org.springframework.batch.core.configuration.xml.JobParserJobFactoryBean]; scope=; abstract=false; lazyInit=false; autowireMode=0; dependencyCheck=0; autowireCandidate=true; primary=false; factoryBeanName=null; factoryMethodName=null; initMethodName=null; destroyMethodName=null]
2014-11-25 0:12:28 org.springframework.beans.factory.support.DefaultListableBeanFactory registerBeanDefinition
信息: Overriding bean definition for bean 'customReader': replacing [Generic bean: class [org.springframework.batch.item.file.FlatFileItemReader]; scope=step; abstract=false; lazyInit=false; autowireMode=1; dependencyCheck=0; autowireCandidate=false; primary=false; factoryBeanName=null; factoryMethodName=null; initMethodName=null; destroyMethodName=null; defined in file [D:\LocalDEV\workspace43\SpringBatchTest\config\spring-application-batch.xml]] with [Root bean: class [org.springframework.aop.scope.ScopedProxyFactoryBean]; scope=; abstract=false; lazyInit=false; autowireMode=0; dependencyCheck=0; autowireCandidate=true; primary=false; factoryBeanName=null; factoryMethodName=null; initMethodName=null; destroyMethodName=null; defined in BeanDefinition defined in file [D:\LocalDEV\workspace43\SpringBatchTest\config\spring-application-batch.xml]]
2014-11-25 0:12:28 org.springframework.beans.factory.support.DefaultListableBeanFactory preInstantiateSingletons
信息: Pre-instantiating singletons in org.springframework.beans.factory.support.DefaultListableBeanFactory@157fb52: defining beans [transactionManager,jobRepository,jobLauncher,taskExecutor,customerLineMapper,lineTokenizer,customReader,customProcessor,customWriter,customJobListener,customStepListener,org.springframework.batch.core.scope.internalStepScope,org.springframework.beans.factory.config.CustomEditorConfigurer,org.springframework.batch.core.configuration.xml.CoreNamespacePostProcessor,customJob_first_step,customJob,scopedTarget.customReader]; root of factory hierarchy
2014-11-25 0:12:28 org.springframework.batch.core.launch.support.SimpleJobLauncher run
信息: Job: [FlowJob: [name=customJob]] launched with the following parameters: [{time=1416845548796, customFileAbPath=I:/SpringBatchTest.txt}]
2014-11-25 0:12:28 org.springframework.batch.core.job.SimpleStepHandler handleStep
信息: Executing step: [customJob_first_step]
张 - 三
李 - 四
王 - 五
马 - 六
2014-11-25 0:12:28 org.springframework.batch.core.launch.support.SimpleJobLauncher run
信息: Job: [FlowJob: [name=customJob]] completed with the following parameters: [{time=1416845548796, customFileAbPath=I:/SpringBatchTest.txt}] and the following status: [COMPLETED]
JobExecution: id=0, version=2, startTime=Tue Nov 25 00:12:28 CST 2014, endTime=Tue Nov 25 00:12:28 CST 2014, lastUpdated=Tue Nov 25 00:12:28 CST 2014, status=COMPLETED, exitStatus=exitCode=COMPLETED;exitDescription=, job=[JobInstance: id=0, version=0, Job=[customJob]], jobParameters=[{time=1416845548796, customFileAbPath=I:/SpringBatchTest.txt}]
总结:本篇文章简单介绍了 Spring Batch,以及使用 Spring Batch 开发 HelloWorld 程序。
本文中使用 Project 源码可以从此处下载:http://download.csdn.net/detail/driftingshine/8194729
[Spring Batch 系列] 第一节 初识 Spring Batch的更多相关文章
- Spring之旅第一篇-初识Spring
一.概述 只要用框架开发java,一定躲不过spring,Spring是一个轻量级的Java开源框架,存在的目的是用于构建轻量级的J2EE应用.Spring的核心是控制反转(IOC)和面向切面编程(A ...
- Spring学习笔记第一篇——初识Spring
1.简单介绍 spring的ioc底层是先配置xml文件,接着创建工厂,利用dom4j解析配置文件,最后通过反射完成.大概步骤差不多这样,这些具体代码spring帮你完成了.现在我们只需要配置xml和 ...
- spring cloud 入门系列一:初识spring cloud
最近看到微服务很火,也是未来的趋势, 所以就去学习下,在dubbo和spring cloud之间我选择了从spring cloud,主要有如下几种原因: dubbo主要专注于微服务中的一个环节--服务 ...
- Spring Boot2 系列教程(二十)Spring Boot 整合JdbcTemplate 多数据源
多数据源配置也算是一个常见的开发需求,Spring 和 SpringBoot 中,对此都有相应的解决方案,不过一般来说,如果有多数据源的需求,我还是建议首选分布式数据库中间件 MyCat 去解决相关问 ...
- spring boot系列(五)spring boot 配置spring data jpa (查询方法)
接着上面spring boot系列(四)spring boot 配置spring data jpa 保存修改方法继续做查询的测试: 1 创建UserInfo实体类,代码和https://www.cnb ...
- 深入理解Spring(一):初识Spring
深入理解Spring(一):初识Spring 一. Spring介绍 Spring是一个开源框架,Spring是于2003 年兴起的一个轻量级的Java 开发框架,由Rod Johnso ...
- 第一节 初识RabbitMQ
原文:第一节 初识RabbitMQ 版权声明:未经本人同意,不得转载该文章,谢谢 https://blog.csdn.net/phocus1/article/details/87280120 1.什么 ...
- Spring Boot系列(一) Spring Boot介绍和基础POM文件
Spring Boot是由Pivotal团队提供的全新框架,其设计目的是用来简化新Spring应用的初始搭建以及开发过程.该框架使用了特定的方式来进行配置,从而使开发人员不再需要定义样板化的配置.通过 ...
- 深入理解javascript对象系列第一篇——初识对象
× 目录 [1]定义 [2]创建 [3]组成[4]引用[5]方法 前面的话 javascript中的难点是函数.对象和继承,前面已经介绍过函数系列.从本系列开始介绍对象部分,本文是该系列的第一篇——初 ...
随机推荐
- 推荐!手把手教你使用Git(转)
原文出处: 涂根华的博客 欢迎分享原创到伯乐头条 一:Git是什么? Git是目前世界上最先进的分布式版本控制系统. 二:SVN与Git的最主要的区别? SVN是集中式版本控制系统,版本库是集中放 ...
- 2017 ACM-ICPC 沈阳区域赛记录
出发日 中午坐大巴前往萧山机场. 哇开心又可以坐飞机了 飞机延误了.在候机大厅里十分无聊,先用机场的电脑玩了会小游戏 然后偷偷切了2个水题 (什么编译器IDE都没有,只能记事本了) 飞机上什么东西都没 ...
- ‘cnpm' 不是内部或外部命令,也不是可运行的程序
昨天用npm 安装环境,实在太慢了,就想用cnpm,然后发现提示‘cnpm' 不是内部或外部命令,也不是可运行的程序. 看了很多方法,选择了下面这个,运气好到爆棚,就直接可以用了.其他的方法暂未去了 ...
- PyTorch学习笔记之初识word_embedding
import torch import torch.nn as nn from torch.autograd import Variable word2id = {'hello': 0, 'world ...
- Maven创建Java Application工程(既jar包)
Maven在创建工程时使用的是archetype(原型)插件,而如果要创建具体的工程,比如Application这些,那么可以使用maven-archetype-quickstart(相当于一个子类型 ...
- fast-cgi & php-fpm 等的理解
原文地址:https://segmentfault.com/q/1010000000256516 网上有的说,fastcgi是一个协议,php-fpm实现了这个协议: 有的说,php-fpm是fast ...
- 网站无法显示logo?
那是因为你没有配置favicon.ico,每个网站根目录都会有一个favicon.ico,因为每个服务器都会请求根目录下的它.
- SQL中Inserted 和Deleted表 以及触发Trigger
什么是Inserted 和Deleted表 他们有什么用 trigger 的简单实用 1.什么是Inserted 和Deleted表 当插入数据的时候,其实是同时向目的表 和inserted表中插入数 ...
- android:使用gallery和imageSwitch制作可左右循环滑动的图片浏览器
为了使图片浏览器左右无限循环滑动 我们要自己定义gallery的adapter 假设要想自己定义adapter首先要了解这几个方法 @Override public int getCount() { ...
- 2.nginx整合PHP
/usr/local/src/下都有什么:.tar.gz文件和解压之后的源码 /usr/local/下都有什么:源码编译之后的东西 安装mysql客户端 安装mysql服务端 启动mysql服务端 s ...