在当今高度依赖网络的环境中,离线应用的价值日益凸显。
无论是在网络不稳定的区域运行的现场系统,还是需要在断网环境下使用的企业内部应用,具备离线工作能力已成为许多应用的必备特性。
本文将介绍基于springboot实现离线应用的5种不同方式。
一、离线应用的概念与挑战
离线应用(offline application)是指能够在网络连接不可用的情况下,仍然能够正常运行并提供核心功能的应用程序。
这类应用通常具备以下特点:
1. 本地数据存储:能够在本地存储和读取数据
2. 操作缓存:能够缓存用户操作,待网络恢复后同步
3. 资源本地化:应用资源(如静态资源、配置等)可以在本地访问
4. 状态管理:维护应用状态,处理在线/离线切换
实现离线应用面临的主要挑战包括:数据存储与同步、冲突解决、用户体验设计以及安全性考虑。
二、嵌入式数据库实现离线数据存储
原理介绍
嵌入式数据库直接集成在应用程序中,无需外部数据库服务器,非常适合离线应用场景。
在springboot中,可以轻松集成h2、sqlite、hsqldb等嵌入式数据库。
实现步骤
1. 添加依赖
<dependency>
<groupid>org.springframework.boot</groupid>
<artifactid>spring-boot-starter-data-jpa</artifactid>
</dependency>
<dependency>
<groupid>com.h2database</groupid>
<artifactid>h2</artifactid>
<scope>runtime</scope>
</dependency>2. 配置文件
# 使用文件模式的h2数据库,支持持久化 spring.datasource.url=jdbc:h2:file:./data/offlinedb spring.datasource.driverclassname=org.h2.driver spring.datasource.username=sa spring.datasource.password=password spring.jpa.database-platform=org.hibernate.dialect.h2dialect # 自动创建表结构 spring.jpa.hibernate.ddl-auto=update # 启用h2控制台(开发环境) spring.h2.console.enabled=true spring.h2.console.path=/h2-console
3. 创建实体类
@entity
@table(name = "offline_data")
public class offlinedata {
@id
@generatedvalue(strategy = generationtype.identity)
private long id;
private string content;
@column(name = "is_synced")
private boolean synced;
@column(name = "created_at")
private localdatetime createdat;
// 构造函数、getter和setter
}4. 创建repository
@repository
public interface offlinedatarepository extends jparepository<offlinedata, long> {
list<offlinedata> findbysyncedfalse();
}5. 创建service
@service
public class offlinedataservice {
private final offlinedatarepository repository;
@autowired
public offlinedataservice(offlinedatarepository repository) {
this.repository = repository;
}
// 保存本地数据
public offlinedata savedata(string content) {
offlinedata data = new offlinedata();
data.setcontent(content);
data.setsynced(false);
data.setcreatedat(localdatetime.now());
return repository.save(data);
}
// 获取所有未同步的数据
public list<offlinedata> getunsynceddata() {
return repository.findbysyncedfalse();
}
// 标记数据为已同步
public void markassynced(long id) {
repository.findbyid(id).ifpresent(data -> {
data.setsynced(true);
repository.save(data);
});
}
// 当网络恢复时,同步数据到远程服务器
@scheduled(fixeddelay = 60000) // 每分钟检查一次
public void syncdatatoremote() {
list<offlinedata> unsynceddata = getunsynceddata();
if (!unsynceddata.isempty()) {
try {
// 尝试连接远程服务器
if (isnetworkavailable()) {
for (offlinedata data : unsynceddata) {
boolean syncsuccess = sendtoremoteserver(data);
if (syncsuccess) {
markassynced(data.getid());
}
}
}
} catch (exception e) {
// 同步失败,下次再试
log.error("failed to sync data: " + e.getmessage());
}
}
}
private boolean isnetworkavailable() {
// 实现网络检测逻辑
try {
inetaddress address = inetaddress.getbyname("api.example.com");
return address.isreachable(3000); // 3秒超时
} catch (exception e) {
return false;
}
}
private boolean sendtoremoteserver(offlinedata data) {
// 实现发送数据到远程服务器的逻辑
// 这里使用resttemplate示例
try {
resttemplate resttemplate = new resttemplate();
responseentity<string> response = resttemplate.postforentity(
"https://api.example.com/data",
data,
string.class
);
return response.getstatuscode().issuccessful();
} catch (exception e) {
log.error("failed to send data: " + e.getmessage());
return false;
}
}
}6. 创建controller
@restcontroller
@requestmapping("/api/data")
public class offlinedatacontroller {
private final offlinedataservice service;
@autowired
public offlinedatacontroller(offlinedataservice service) {
this.service = service;
}
@postmapping
public responseentity<offlinedata> createdata(@requestbody string content) {
offlinedata saveddata = service.savedata(content);
return responseentity.ok(saveddata);
}
@getmapping("/unsynced")
public responseentity<list<offlinedata>> getunsynceddata() {
return responseentity.ok(service.getunsynceddata());
}
@postmapping("/sync")
public responseentity<string> triggersync() {
service.syncdatatoremote();
return responseentity.ok("sync triggered");
}
}优缺点分析
优点:
- 完全本地化的数据存储,无需网络连接
- 支持完整的sql功能,可以进行复杂查询
- 数据持久化到本地文件,应用重启不丢失
缺点:
- 嵌入式数据库性能和并发处理能力有限
- 占用本地存储空间,需要注意容量管理
- 数据同步逻辑需要自行实现
- 复杂的冲突解决场景处理困难
适用场景
• 需要结构化数据存储的单机应用
• 定期需要将数据同步到中心服务器的现场应用
• 对数据查询有sql需求的离线系统
• 数据量适中的企业内部工具
三、本地缓存与离线数据访问策略
原理介绍
本方案利用java内存缓存框架(如caffeine、ehcache)结合本地持久化存储,实现数据的本地缓存和离线访问。
该方案特别适合读多写少的应用场景。
实现步骤
1. 添加依赖
<dependency>
<groupid>org.springframework.boot</groupid>
<artifactid>spring-boot-starter-cache</artifactid>
</dependency>
<dependency>
<groupid>com.github.ben-manes.caffeine</groupid>
<artifactid>caffeine</artifactid>
</dependency>
<dependency>
<groupid>com.fasterxml.jackson.core</groupid>
<artifactid>jackson-databind</artifactid>
</dependency>2. 配置缓存
@configuration
@enablecaching
public class cacheconfig {
@bean
public caffeine<object, object> caffeineconfig() {
return caffeine.newbuilder()
.expireafterwrite(1, timeunit.days)
.initialcapacity(100)
.maximumsize(1000)
.recordstats();
}
@bean
public cachemanager cachemanager(caffeine<object, object> caffeine) {
caffeinecachemanager cachemanager = new caffeinecachemanager();
cachemanager.setcaffeine(caffeine);
return cachemanager;
}
@bean
public cacheserializer cacheserializer() {
return new cacheserializer();
}
}3. 创建缓存序列化器
@component
public class cacheserializer {
private final objectmapper objectmapper = new objectmapper();
private final file cachedir = new file("./cache");
public cacheserializer() {
if (!cachedir.exists()) {
cachedir.mkdirs();
}
}
public void serializecache(string cachename, map<object, object> entries) {
try {
file cachefile = new file(cachedir, cachename + ".json");
objectmapper.writevalue(cachefile, entries);
} catch (ioexception e) {
throw new runtimeexception("failed to serialize cache: " + cachename, e);
}
}
@suppresswarnings("unchecked")
public map<object, object> deserializecache(string cachename) {
file cachefile = new file(cachedir, cachename + ".json");
if (!cachefile.exists()) {
return new hashmap<>();
}
try {
return objectmapper.readvalue(cachefile, map.class);
} catch (ioexception e) {
throw new runtimeexception("failed to deserialize cache: " + cachename, e);
}
}
}4. 创建离线数据服务
@service
@slf4j
public class productservice {
private final resttemplate resttemplate;
private final cacheserializer cacheserializer;
private static final string cache_name = "products";
@autowired
public productservice(resttemplate resttemplate, cacheserializer cacheserializer) {
this.resttemplate = resttemplate;
this.cacheserializer = cacheserializer;
// 初始化时加载持久化的缓存
loadcachefromdisk();
}
@cacheable(cachenames = cache_name, key = "#id")
public product getproductbyid(long id) {
try {
// 尝试从远程服务获取
return resttemplate.getforobject("https://api.example.com/products/" + id, product.class);
} catch (exception e) {
// 网络不可用时,尝试从持久化缓存获取
map<object, object> diskcache = cacheserializer.deserializecache(cache_name);
product product = (product) diskcache.get(id.tostring());
if (product != null) {
return product;
}
throw new productnotfoundexception("product not found in cache: " + id);
}
}
@cacheable(cachenames = cache_name)
public list<product> getallproducts() {
try {
// 尝试从远程服务获取
product[] products = resttemplate.getforobject("https://api.example.com/products", product[].class);
return products != null ? arrays.aslist(products) : collections.emptylist();
} catch (exception e) {
// 网络不可用时,返回所有持久化缓存的产品
map<object, object> diskcache = cacheserializer.deserializecache(cache_name);
return new arraylist<>(diskcache.values());
}
}
@cacheput(cachenames = cache_name, key = "#product.id")
public product saveproduct(product product) {
try {
// 尝试保存到远程服务
return resttemplate.postforobject("https://api.example.com/products", product, product.class);
} catch (exception e) {
// 网络不可用时,只保存到本地缓存
product.setofflinesaved(true);
// 同时更新持久化缓存
map<object, object> diskcache = cacheserializer.deserializecache(cache_name);
diskcache.put(product.getid().tostring(), product);
cacheserializer.serializecache(cache_name, diskcache);
return product;
}
}
@scheduled(fixeddelay = 300000) // 每5分钟
public void persistcachetodisk() {
cache cache = cachemanager.getcache(cache_name);
if (cache != null) {
map<object, object> entries = new hashmap<>();
cache.getnativecache().asmap().foreach(entries::put);
cacheserializer.serializecache(cache_name, entries);
}
}
@scheduled(fixeddelay = 600000) // 每10分钟
public void syncofflinedata() {
if (!isnetworkavailable()) {
return;
}
map<object, object> diskcache = cacheserializer.deserializecache(cache_name);
for (object value : diskcache.values()) {
product product = (product) value;
if (product.isofflinesaved()) {
try {
resttemplate.postforobject("https://api.example.com/products", product, product.class);
product.setofflinesaved(false);
} catch (exception e) {
// 同步失败,下次再试
log.error(e.getmessage(),e);
}
}
}
// 更新持久化缓存
cacheserializer.serializecache(cache_name, diskcache);
}
private void loadcachefromdisk() {
map<object, object> diskcache = cacheserializer.deserializecache(cache_name);
cache cache = cachemanager.getcache(cache_name);
if (cache != null) {
diskcache.foreach((key, value) -> cache.put(key, value));
}
}
private boolean isnetworkavailable() {
try {
return inetaddress.getbyname("api.example.com").isreachable(3000);
} catch (exception e) {
return false;
}
}
}5. 创建数据模型
@data
public class product implements serializable {
private long id;
private string name;
private string description;
private bigdecimal price;
private boolean offlinesaved;
}6. 创建controller
@restcontroller
@requestmapping("/api/products")
public class productcontroller {
private final productservice productservice;
@autowired
public productcontroller(productservice productservice) {
this.productservice = productservice;
}
@getmapping("/{id}")
public responseentity<product> getproductbyid(@pathvariable long id) {
try {
return responseentity.ok(productservice.getproductbyid(id));
} catch (productnotfoundexception e) {
return responseentity.notfound().build();
}
}
@getmapping
public responseentity<list<product>> getallproducts() {
return responseentity.ok(productservice.getallproducts());
}
@postmapping
public responseentity<product> createproduct(@requestbody product product) {
return responseentity.ok(productservice.saveproduct(product));
}
@getmapping("/sync")
public responseentity<string> triggersync() {
productservice.syncofflinedata();
return responseentity.ok("sync triggered");
}
}优缺点分析
优点:
- 内存缓存访问速度快,用户体验好
- 结合本地持久化,支持应用重启后恢复缓存
- 适合读多写少的应用场景
缺点:
- 缓存同步和冲突解决逻辑复杂
- 大量数据缓存会占用较多内存
- 不适合频繁写入的场景
- 缓存序列化和反序列化有性能开销
适用场景
• 产品目录、知识库等读多写少的应用
• 需要快速响应的用户界面
• 有限的数据集合且结构相对固定
• 偶尔离线使用的web应用
四、离线优先架构与本地存储引擎
原理介绍
离线优先架构(offline-first)是一种设计理念,它将离线状态视为应用的默认状态,而不是异常状态。
在这种架构中,数据首先存储在本地,然后在条件允许时同步到服务器。
该方案使用嵌入式kv存储(如leveldb、rocksdb)作为本地存储引擎。
实现步骤
1. 添加依赖
<dependency>
<groupid>org.springframework.boot</groupid>
<artifactid>spring-boot-starter-web</artifactid>
</dependency>
<dependency>
<groupid>org.iq80.leveldb</groupid>
<artifactid>leveldb</artifactid>
<version>0.12</version>
</dependency>
<dependency>
<groupid>com.fasterxml.jackson.core</groupid>
<artifactid>jackson-databind</artifactid>
</dependency>2. 创建leveldb存储服务
@component
public class leveldbstore implements initializingbean, disposablebean {
private db db;
private final objectmapper objectmapper = new objectmapper();
private final file dbdir = new file("./leveldb");
@override
public void afterpropertiesset() throws exception {
options options = new options();
options.createifmissing(true);
db = factory.open(dbdir, options);
}
@override
public void destroy() throws exception {
if (db != null) {
db.close();
}
}
public <t> void put(string key, t value) {
try {
byte[] serialized = objectmapper.writevalueasbytes(value);
db.put(bytes(key), serialized);
} catch (exception e) {
throw new runtimeexception("failed to store data: " + key, e);
}
}
public <t> t get(string key, class<t> type) {
try {
byte[] data = db.get(bytes(key));
if (data == null) {
return null;
}
return objectmapper.readvalue(data, type);
} catch (exception e) {
throw new runtimeexception("failed to retrieve data: " + key, e);
}
}
public <t> list<t> getall(string prefix, class<t> type) {
list<t> result = new arraylist<>();
try (dbiterator iterator = db.iterator()) {
byte[] prefixbytes = bytes(prefix);
for (iterator.seek(prefixbytes); iterator.hasnext(); iterator.next()) {
string key = asstring(iterator.peeknext().getkey());
if (!key.startswith(prefix)) {
break;
}
t value = objectmapper.readvalue(iterator.peeknext().getvalue(), type);
result.add(value);
}
} catch (exception e) {
throw new runtimeexception("failed to retrieve data with prefix: " + prefix, e);
}
return result;
}
public boolean delete(string key) {
try {
db.delete(bytes(key));
return true;
} catch (exception e) {
return false;
}
}
private byte[] bytes(string s) {
return s.getbytes(standardcharsets.utf_8);
}
private string asstring(byte[] bytes) {
return new string(bytes, standardcharsets.utf_8);
}
}3. 创建离线同步管理器
@component
public class syncmanager {
private final leveldbstore store;
private final resttemplate resttemplate;
@value("${sync.server.url}")
private string syncserverurl;
@autowired
public syncmanager(leveldbstore store, resttemplate resttemplate) {
this.store = store;
this.resttemplate = resttemplate;
}
// 保存并跟踪离线操作
public <t> void saveoperation(string type, string id, t data) {
string key = "op:" + type + ":" + id;
offlineoperation<t> operation = new offlineoperation<>(
uuid.randomuuid().tostring(),
type,
id,
data,
system.currenttimemillis()
);
store.put(key, operation);
}
// 同步所有未同步的操作
@scheduled(fixeddelay = 60000) // 每分钟尝试同步
public void syncofflineoperations() {
if (!isnetworkavailable()) {
return;
}
list<offlineoperation<?>> operations = store.getall("op:", offlineoperation.class);
// 按时间戳排序,确保按操作顺序同步
operations.sort(comparator.comparing(offlineoperation::gettimestamp));
for (offlineoperation<?> operation : operations) {
boolean success = sendtoserver(operation);
if (success) {
// 同步成功后删除本地操作记录
store.delete("op:" + operation.gettype() + ":" + operation.getid());
} else {
// 同步失败,下次再试
break;
}
}
}
private boolean sendtoserver(offlineoperation<?> operation) {
try {
httpmethod method;
switch (operation.gettype()) {
case "create":
method = httpmethod.post;
break;
case "update":
method = httpmethod.put;
break;
case "delete":
method = httpmethod.delete;
break;
default:
return false;
}
// 构建请求url
string url = syncserverurl + "/" + operation.getid();
if ("delete".equals(operation.gettype())) {
// delete请求通常不需要请求体
responseentity<void> response = resttemplate.exchange(
url, method, null, void.class
);
return response.getstatuscode().is2xxsuccessful();
} else {
// post和put请求需要请求体
httpentity<object> request = new httpentity<>(operation.getdata());
responseentity<object> response = resttemplate.exchange(
url, method, request, object.class
);
return response.getstatuscode().is2xxsuccessful();
}
} catch (exception e) {
return false;
}
}
private boolean isnetworkavailable() {
try {
url url = new url(syncserverurl);
httpurlconnection connection = (httpurlconnection) url.openconnection();
connection.setconnecttimeout(3000);
connection.connect();
return connection.getresponsecode() == 200;
} catch (exception e) {
return false;
}
}
@data
@allargsconstructor
private static class offlineoperation<t> {
private string operationid;
private string type; // create, update, delete
private string id;
private t data;
private long timestamp;
}
}4. 创建任务服务
@service
public class taskservice {
private final leveldbstore store;
private final syncmanager syncmanager;
@autowired
public taskservice(leveldbstore store, syncmanager syncmanager) {
this.store = store;
this.syncmanager = syncmanager;
}
public task gettaskbyid(string id) {
return store.get("task:" + id, task.class);
}
public list<task> getalltasks() {
return store.getall("task:", task.class);
}
public task createtask(task task) {
// 生成id
if (task.getid() == null) {
task.setid(uuid.randomuuid().tostring());
}
// 设置时间戳
task.setcreatedat(system.currenttimemillis());
task.setupdatedat(system.currenttimemillis());
// 保存到本地存储
store.put("task:" + task.getid(), task);
// 记录离线操作,等待同步
syncmanager.saveoperation("create", task.getid(), task);
return task;
}
public task updatetask(string id, task task) {
task existingtask = gettaskbyid(id);
if (existingtask == null) {
throw new runtimeexception("task not found: " + id);
}
// 更新字段
task.setid(id);
task.setcreatedat(existingtask.getcreatedat());
task.setupdatedat(system.currenttimemillis());
// 保存到本地存储
store.put("task:" + id, task);
// 记录离线操作,等待同步
syncmanager.saveoperation("update", id, task);
return task;
}
public boolean deletetask(string id) {
task existingtask = gettaskbyid(id);
if (existingtask == null) {
return false;
}
// 从本地存储删除
boolean deleted = store.delete("task:" + id);
// 记录离线操作,等待同步
if (deleted) {
syncmanager.saveoperation("delete", id, null);
}
return deleted;
}
}5. 创建任务模型
@data
public class task {
private string id;
private string title;
private string description;
private boolean completed;
private long createdat;
private long updatedat;
}6. 创建controller
@restcontroller
@requestmapping("/api/tasks")
public class taskcontroller {
private final taskservice taskservice;
@autowired
public taskcontroller(taskservice taskservice) {
this.taskservice = taskservice;
}
@getmapping("/{id}")
public responseentity<task> gettaskbyid(@pathvariable string id) {
task task = taskservice.gettaskbyid(id);
if (task == null) {
return responseentity.notfound().build();
}
return responseentity.ok(task);
}
@getmapping
public responseentity<list<task>> getalltasks() {
return responseentity.ok(taskservice.getalltasks());
}
@postmapping
public responseentity<task> createtask(@requestbody task task) {
return responseentity.ok(taskservice.createtask(task));
}
@putmapping("/{id}")
public responseentity<task> updatetask(@pathvariable string id, @requestbody task task) {
try {
return responseentity.ok(taskservice.updatetask(id, task));
} catch (exception e) {
return responseentity.notfound().build();
}
}
@deletemapping("/{id}")
public responseentity<void> deletetask(@pathvariable string id) {
boolean deleted = taskservice.deletetask(id);
if (deleted) {
return responseentity.nocontent().build();
}
return responseentity.notfound().build();
}
@postmapping("/sync")
public responseentity<string> triggersync() {
return responseentity.ok("sync triggered");
}
}7. 配置文件
# 同步服务器地址 sync.server.url=https://api.example.com/tasks
优缺点分析
优点:
- 离线优先设计,保证应用在任何网络状态下可用
- 高性能的本地存储引擎,适合大量数据
- 支持完整的crud操作和离线同步
- 细粒度的操作跟踪,便于解决冲突
缺点:
- 实现复杂度较高
- 同步策略需要根据业务场景定制
- 不支持复杂的关系型查询
适用场景
• 需要全面离线支持的企业应用
• 现场操作类系统,如仓库管理、物流系统
• 数据量较大的离线应用
• 需要严格保证离线和在线数据一致性的场景
五、嵌入式消息队列与异步处理
原理介绍
该方案使用嵌入式消息队列(如activemq artemis嵌入模式)实现离线操作的异步处理和持久化。
操作被发送到本地队列,在网络恢复后批量处理。
实现步骤
1. 添加依赖
<dependency>
<groupid>org.springframework.boot</groupid>
<artifactid>spring-boot-starter-artemis</artifactid>
</dependency>
<dependency>
<groupid>org.apache.activemq</groupid>
<artifactid>artemis-server</artifactid>
</dependency>
<dependency>
<groupid>org.apache.activemq</groupid>
<artifactid>artemis-jms-server</artifactid>
</dependency>2. 配置嵌入式artemis
@configuration
@slf4j
public class artemisconfig {
@value("${artemis.embedded.data-directory:./artemis-data}")
private string datadirectory;
@value("${artemis.embedded.queues:offlineoperations}")
private string queues;
@bean
public activemqserver activemqserver() throws exception {
configuration config = new configurationimpl();
config.setpersistenceenabled(true);
config.setjournaldirectory(datadirectory + "/journal");
config.setbindingsdirectory(datadirectory + "/bindings");
config.setlargemessagesdirectory(datadirectory + "/largemessages");
config.setpagingdirectory(datadirectory + "/paging");
config.addacceptorconfiguration("in-vm", "vm://0");
config.addaddresssetting("#",
new addresssettings()
.setdeadletteraddress(simplestring.tosimplestring("dlq"))
.setexpiryaddress(simplestring.tosimplestring("expiryqueue")));
activemqserver server = new activemqserverimpl(config);
server.start();
// 创建队列
arrays.stream(queues.split(","))
.foreach(queue -> {
try {
server.createqueue(
simplestring.tosimplestring(queue),
routingtype.anycast,
simplestring.tosimplestring(queue),
null,
true,
false
);
} catch (exception e) {
log.error(e.getmessage(),e);
}
});
return server;
}
@bean
public connectionfactory connectionfactory() {
return new activemqconnectionfactory("vm://0");
}
@bean
public jmstemplate jmstemplate(connectionfactory connectionfactory) {
jmstemplate template = new jmstemplate(connectionfactory);
template.setdeliverypersistent(true);
return template;
}
}3. 创建离线操作消息服务
@service
public class offlinemessageservice {
private final jmstemplate jmstemplate;
private final objectmapper objectmapper;
@value("${artemis.queue.operations:offlineoperations}")
private string operationsqueue;
@autowired
public offlinemessageservice(jmstemplate jmstemplate) {
this.jmstemplate = jmstemplate;
this.objectmapper = new objectmapper();
}
public void sendoperation(offlineoperation operation) {
try {
string json = objectmapper.writevalueasstring(operation);
jmstemplate.convertandsend(operationsqueue, json);
} catch (exception e) {
throw new runtimeexception("failed to send operation to queue", e);
}
}
public offlineoperation receiveoperation() {
try {
string json = (string) jmstemplate.receiveandconvert(operationsqueue);
if (json == null) {
return null;
}
return objectmapper.readvalue(json, offlineoperation.class);
} catch (exception e) {
throw new runtimeexception("failed to receive operation from queue", e);
}
}
@data
@allargsconstructor
@noargsconstructor
public static class offlineoperation {
private string type; // create, update, delete
private string endpoint; // api endpoint
private string id; // resource id
private string payload; // json payload
private long timestamp;
}
}4. 创建离线操作处理服务
@service
public class orderservice {
private final offlinemessageservice messageservice;
private final resttemplate resttemplate;
private final objectmapper objectmapper = new objectmapper();
@value("${api.base-url}")
private string apibaseurl;
@autowired
public orderservice(offlinemessageservice messageservice, resttemplate resttemplate) {
this.messageservice = messageservice;
this.resttemplate = resttemplate;
}
// 创建订单 - 直接进入离线队列
public void createorder(order order) {
try {
// 生成id
if (order.getid() == null) {
order.setid(uuid.randomuuid().tostring());
}
order.setcreatedat(system.currenttimemillis());
order.setstatus("pending");
string payload = objectmapper.writevalueasstring(order);
offlinemessageservice.offlineoperation operation = new offlinemessageservice.offlineoperation(
"create",
"orders",
order.getid(),
payload,
system.currenttimemillis()
);
messageservice.sendoperation(operation);
} catch (exception e) {
throw new runtimeexception("failed to create order", e);
}
}
// 更新订单状态 - 直接进入离线队列
public void updateorderstatus(string orderid, string status) {
try {
map<string, object> update = new hashmap<>();
update.put("status", status);
update.put("updatedat", system.currenttimemillis());
string payload = objectmapper.writevalueasstring(update);
offlinemessageservice.offlineoperation operation = new offlinemessageservice.offlineoperation(
"update",
"orders",
orderid,
payload,
system.currenttimemillis()
);
messageservice.sendoperation(operation);
} catch (exception e) {
throw new runtimeexception("failed to update order status", e);
}
}
// 处理离线队列中的操作 - 由定时任务触发
@scheduled(fixeddelay = 60000) // 每分钟执行一次
public void processofflineoperations() {
if (!isnetworkavailable()) {
return; // 网络不可用,跳过处理
}
int processedcount = 0;
while (processedcount < 50) { // 一次处理50条,防止阻塞太久
offlinemessageservice.offlineoperation operation = messageservice.receiveoperation();
if (operation == null) {
break; // 队列为空
}
boolean success = processoperation(operation);
if (!success) {
// 处理失败,重新入队(可以考虑添加重试次数限制)
messageservice.sendoperation(operation);
break; // 暂停处理,等待下一次调度
}
processedcount++;
}
}
private boolean processoperation(offlinemessageservice.offlineoperation operation) {
try {
string url = apibaseurl + "/" + operation.getendpoint();
if (operation.getid() != null && !operation.gettype().equals("create")) {
url += "/" + operation.getid();
}
httpmethod method;
switch (operation.gettype()) {
case "create":
method = httpmethod.post;
break;
case "update":
method = httpmethod.put;
break;
case "delete":
method = httpmethod.delete;
break;
default:
return false;
}
httpheaders headers = new httpheaders();
headers.setcontenttype(mediatype.application_json);
httpentity<string> request = operation.gettype().equals("delete") ?
new httpentity<>(headers) :
new httpentity<>(operation.getpayload(), headers);
responseentity<string> response = resttemplate.exchange(url, method, request, string.class);
return response.getstatuscode().issuccessful();
} catch (exception e) {
log.error(e.getmessage(),e);
return false;
}
}
private boolean isnetworkavailable() {
try {
url url = new url(apibaseurl);
httpurlconnection connection = (httpurlconnection) url.openconnection();
connection.setconnecttimeout(3000);
connection.connect();
return connection.getresponsecode() == 200;
} catch (exception e) {
return false;
}
}
}5. 创建订单模型
@data
public class order {
private string id;
private string customername;
private list<orderitem> items;
private bigdecimal totalamount;
private string status;
private long createdat;
private long updatedat;
}
@data
public class orderitem {
private string productid;
private string productname;
private int quantity;
private bigdecimal price;
}6. 创建controller
@restcontroller
@requestmapping("/api/orders")
public class ordercontroller {
private final orderservice orderservice;
@autowired
public ordercontroller(orderservice orderservice) {
this.orderservice = orderservice;
}
@postmapping
public responseentity<string> createorder(@requestbody order order) {
orderservice.createorder(order);
return responseentity.ok("order submitted for processing");
}
@putmapping("/{id}/status")
public responseentity<string> updateorderstatus(
@pathvariable string id,
@requestparam string status) {
orderservice.updateorderstatus(id, status);
return responseentity.ok("status update submitted for processing");
}
@postmapping("/process")
public responseentity<string> triggerprocessing() {
orderservice.processofflineoperations();
return responseentity.ok("processing triggered");
}
}7. 配置文件
# api配置 api.base-url=https://api.example.com # artemis配置 artemis.embedded.data-directory=./artemis-data artemis.embedded.queues=offlineoperations artemis.queue.operations=offlineoperations
优缺点分析
优点:
- 强大的消息持久化能力,确保操作不丢失
- 异步处理模式,非阻塞用户操作
- 支持大批量数据处理
- 内置的消息重试和死信机制
缺点:
- 资源消耗较大,尤其是内存和磁盘
- 配置相对复杂
- 需要处理消息幂等性问题
- 不适合需要即时反馈的场景
适用场景
• 批量数据处理场景,如订单处理系统
• 需要可靠消息处理的工作流应用
• 高并发写入场景
• 对操作顺序有严格要求的业务场景
六、方案对比
| 方案 | 复杂度 | 数据容量 | 冲突处理 | 适用场景 | 开发维护成本 |
|---|---|---|---|---|---|
| 嵌入式数据库 | 中 | 中 | 较复杂 | 单机应用、结构化数据 | 中 |
| 本地缓存 | 低 | 小 | 简单 | 读多写少、数据量小 | 低 |
| 离线优先架构 | 高 | 大 | 完善 | 企业应用、现场系统 | 高 |
| 嵌入式消息队列 | 高 | 大 | 中等 | 批量处理、异步操作 | 高 |
总结
在实际应用中,可以根据项目特点选择合适的方案,也可以结合多种方案的优点,定制最适合自己需求的离线解决方案。
无论选择哪种方案,完善的数据同步策略和良好的用户体验都是成功实现离线应用的关键因素。
以上就是基于springboot实现离线应用的4种实现方式的详细内容,更多关于springboot离线应用的资料请关注代码网其它相关文章!
发表评论