Browse Source

Merge branch 'develop' of http://39.106.31.193:9211/mengff/jihe-dc into develop

develop
xiepufeng 1 year ago
parent
commit
b18e9a6319
  1. 48
      ruoyi-common/src/main/java/com/ruoyi/common/utils/StakeMarkUtils.java
  2. 2
      ruoyi-framework/src/main/java/com/ruoyi/framework/config/SecurityConfig.java
  3. 25
      zc-business/pom.xml
  4. 9
      zc-business/src/main/java/com/zc/business/controller/DcEmergencyPlansController.java
  5. 2
      zc-business/src/main/java/com/zc/business/controller/DcEventController.java
  6. 42
      zc-business/src/main/java/com/zc/business/controller/DcMeteorologicalDetectorController.java
  7. 7
      zc-business/src/main/java/com/zc/business/controller/DcStakeMarkController.java
  8. 2
      zc-business/src/main/java/com/zc/business/controller/DcWarningController.java
  9. 2
      zc-business/src/main/java/com/zc/business/controller/NonAutomaticWarningController.java
  10. 39
      zc-business/src/main/java/com/zc/business/controller/StatusController.java
  11. 1050
      zc-business/src/main/java/com/zc/business/controller/WordController.java
  12. 230
      zc-business/src/main/java/com/zc/business/domain/DcMeteorologicalDetectorData.java
  13. 2
      zc-business/src/main/java/com/zc/business/domain/DcStakeMark.java
  14. 4
      zc-business/src/main/java/com/zc/business/domain/Status.java
  15. 6
      zc-business/src/main/java/com/zc/business/mapper/DcMeteorologicalDetectorDataMapper.java
  16. 9
      zc-business/src/main/java/com/zc/business/mapper/DcStakeMarkMapper.java
  17. 93
      zc-business/src/main/java/com/zc/business/mapper/DcTrafficIncidentsMapper.java
  18. 37
      zc-business/src/main/java/com/zc/business/message/device/handler/DeviceMessageHandler.java
  19. 8
      zc-business/src/main/java/com/zc/business/service/DcEmergencyPlansService.java
  20. 6
      zc-business/src/main/java/com/zc/business/service/IDcMeteorologicalDetectorDataService.java
  21. 11
      zc-business/src/main/java/com/zc/business/service/IDcStakeMarkService.java
  22. 56
      zc-business/src/main/java/com/zc/business/service/impl/DcEmergencyPlansServiceImpl.java
  23. 15
      zc-business/src/main/java/com/zc/business/service/impl/DcMeteorologicalDetectorDataServiceImpl.java
  24. 96
      zc-business/src/main/java/com/zc/business/service/impl/DcStakeMarkServiceImpl.java
  25. 140
      zc-business/src/main/java/com/zc/business/service/impl/DcWarningServiceImpl.java
  26. 369
      zc-business/src/main/java/com/zc/business/utils/PoiUtil.java
  27. 132
      zc-business/src/main/resources/mapper/business/DcMeteorologicalDetectorDataMapper.xml
  28. 5
      zc-business/src/main/resources/mapper/business/DcPerceivedEventsWarningMapper.xml
  29. 41
      zc-business/src/main/resources/mapper/business/DcStakeMarkMapper.xml
  30. 229
      zc-business/src/main/resources/mapper/business/DcTrafficIncidentsMapper.xml
  31. 30
      zc-business/src/main/resources/mapper/business/DcWarningMapper.xml
  32. 6
      zc-business/src/main/resources/mapper/business/StatusMapper.xml
  33. BIN
      zc-business/src/main/resources/wordTemplate/chartTemplate.docx
  34. BIN
      zc-business/src/main/resources/wordTemplate/chartTemplate2.docx
  35. BIN
      zc-business/src/main/resources/wordTemplate/wordTemplate.docx

48
ruoyi-common/src/main/java/com/ruoyi/common/utils/StakeMarkUtils.java

@ -2,15 +2,33 @@ package com.ruoyi.common.utils;
import java.math.BigDecimal; import java.math.BigDecimal;
import java.math.RoundingMode; import java.math.RoundingMode;
import java.util.regex.Pattern;
/** /**
* @Description 桩号计算工具 * @Description 桩号工具
* *
* @author liuwenge * @author liuwenge
* @date 2024/1/17 14:43 * @date 2024/1/17 14:43
*/ */
public class StakeMarkUtils { public class StakeMarkUtils {
/**
* @Description 桩号格式校验
*
* 正确格式: K060+010
* @author liuwenge
* @date 2024/3/22 20:05
* @param stakeMark
* @return boolean
*/
public static boolean checkStakeMark(String stakeMark){
if (StringUtils.isEmpty(stakeMark)){
return false;
}
Pattern pattern = Pattern.compile("^K\\d{3}\\+\\d{3}$");
return pattern.matcher(stakeMark).matches();
}
/** /**
* @Description 桩号转公里数 * @Description 桩号转公里数
* *
@ -20,12 +38,13 @@ public class StakeMarkUtils {
* @return 公里数:123.123 * @return 公里数:123.123
*/ */
public static String formatKilometre(String stakeMark){ public static String formatKilometre(String stakeMark){
if (StringUtils.isEmpty(stakeMark)){ if (!checkStakeMark(stakeMark)){
return ""; return "";
} }
return stakeMark.toLowerCase().replace("k","").replace("+","."); return stakeMark.replace("K","").replace("+",".");
} }
/** /**
* @Description 桩号转米 * @Description 桩号转米
* *
@ -34,11 +53,18 @@ public class StakeMarkUtils {
* @param stakeMark 桩号:"K123+123" * @param stakeMark 桩号:"K123+123"
* @return 公里数:123123 * @return 公里数:123123
*/ */
public static Long formatMetreLong(String stakeMark){
if (!checkStakeMark(stakeMark)){
return null;
}
return Long.valueOf(stakeMark.replace("K","").replace("+",""));
}
public static String formatMetre(String stakeMark){ public static String formatMetre(String stakeMark){
if (StringUtils.isEmpty(stakeMark)){ if (!checkStakeMark(stakeMark)){
return ""; return "";
} }
return stakeMark.toLowerCase().replace("k","").replace("+",""); return stakeMark.replace("K","").replace("+","");
} }
/** /**
@ -51,11 +77,11 @@ public class StakeMarkUtils {
* @return java.math.BigDecimal 距离 * @return java.math.BigDecimal 距离
*/ */
public static BigDecimal getKilometre(String startStakeMark, String endStakeMark){ public static BigDecimal getKilometre(String startStakeMark, String endStakeMark){
if (StringUtils.isEmpty(startStakeMark) || StringUtils.isEmpty(endStakeMark)){ if (!checkStakeMark(startStakeMark) || !checkStakeMark(endStakeMark)){
return BigDecimal.ZERO; return BigDecimal.ZERO;
} }
String start = startStakeMark.toLowerCase().replace("k","").replace("+","."); String start = startStakeMark.replace("K","").replace("+",".");
String end = endStakeMark.toLowerCase().replace("k","").replace("+","."); String end = endStakeMark.replace("K","").replace("+",".");
BigDecimal startKilometre = new BigDecimal(start); BigDecimal startKilometre = new BigDecimal(start);
BigDecimal endKilometre = new BigDecimal(end); BigDecimal endKilometre = new BigDecimal(end);
if (startKilometre.compareTo(endKilometre) > 0){ if (startKilometre.compareTo(endKilometre) > 0){
@ -75,11 +101,11 @@ public class StakeMarkUtils {
* @return java.math.BigDecimal 距离 * @return java.math.BigDecimal 距离
*/ */
public static BigDecimal getMetre(String startStakeMark, String endStakeMark){ public static BigDecimal getMetre(String startStakeMark, String endStakeMark){
if (StringUtils.isEmpty(startStakeMark) || StringUtils.isEmpty(endStakeMark)){ if (!checkStakeMark(startStakeMark) || !checkStakeMark(endStakeMark)){
return BigDecimal.ZERO; return BigDecimal.ZERO;
} }
String start = startStakeMark.toLowerCase().replace("k","").replace("+","."); String start = startStakeMark.replace("K","").replace("+",".");
String end = endStakeMark.toLowerCase().replace("k","").replace("+","."); String end = endStakeMark.replace("K","").replace("+",".");
BigDecimal startKilometre = new BigDecimal(start); BigDecimal startKilometre = new BigDecimal(start);
BigDecimal endKilometre = new BigDecimal(end); BigDecimal endKilometre = new BigDecimal(end);
if (startKilometre.compareTo(endKilometre) > 0){ if (startKilometre.compareTo(endKilometre) > 0){

2
ruoyi-framework/src/main/java/com/ruoyi/framework/config/SecurityConfig.java

@ -69,7 +69,7 @@ public class SecurityConfig extends WebSecurityConfigurerAdapter {
@Override @Override
public boolean matches(HttpServletRequest request) { public boolean matches(HttpServletRequest request) {
// 获取请求的IP // 获取请求的IP
String requestIP = request.getRemoteAddr(); String requestIP = request.getHeader("X-Forwarded-For");
// 将配置文件中的IP字符串分割为数组 // 将配置文件中的IP字符串分割为数组
String[] ips = allowedIPs.split(","); String[] ips = allowedIPs.split(",");
// 检查请求的IP是否在允许的IP数组中 // 检查请求的IP是否在允许的IP数组中

25
zc-business/pom.xml

@ -47,6 +47,31 @@
<groupId>com.ruoyi</groupId> <groupId>com.ruoyi</groupId>
<artifactId>ruoyi-system</artifactId> <artifactId>ruoyi-system</artifactId>
</dependency> </dependency>
<dependency>
<groupId>org.apache.poi</groupId>
<artifactId>poi-ooxml</artifactId>
<version>4.1.2</version>
</dependency>
<dependency>
<groupId>org.apache.poi</groupId>
<artifactId>poi-ooxml-schemas</artifactId>
<version>4.1.2</version>
</dependency>
<dependency>
<groupId>org.apache.poi</groupId>
<artifactId>poi</artifactId>
<version>4.1.2</version>
</dependency>
<!--2.poi官网指出需要poi4.x.x版本抛弃了jdk1.7之前的版本,所以适应此版本需要将jdk升级,如果不想升级还有另一种办法就是,
使用springBoot单独做一个服务为你的主项目提供一个接口,让主项目去调用生成word流让主项目去接收即可。-->
<dependency>
<groupId>com.deepoove</groupId>
<artifactId>poi-tl</artifactId>
<version>1.9.1</version>
</dependency>
</dependencies> </dependencies>
<groupId>com.zc</groupId> <groupId>com.zc</groupId>
<version>1.0.0</version> <version>1.0.0</version>

9
zc-business/src/main/java/com/zc/business/controller/DcEmergencyPlansController.java

@ -126,6 +126,15 @@ public class DcEmergencyPlansController extends BaseController {
return AjaxResult.success(dcEmergencyPlansService.executionEventConfirmation(dcEventAnDcEmergencyPlans)); return AjaxResult.success(dcEmergencyPlansService.executionEventConfirmation(dcEventAnDcEmergencyPlans));
} }
/**
* 根据事件id-查询预案事件关联表
*/
@ApiOperation("根据事件id-查询预案事件关联表")
@GetMapping("/event/assoc/{id}")
public AjaxResult eventConfirm(@PathVariable("id") String id) {
return AjaxResult.success(dcEmergencyPlansService.selectEventPlanAssocByEventId(id));
}
/** /**
* 感知事件确定 * 感知事件确定
*/ */

2
zc-business/src/main/java/com/zc/business/controller/DcEventController.java

@ -162,4 +162,6 @@ public class DcEventController extends BaseController
Map<String,Object> map = dcEventService.selectCount(); Map<String,Object> map = dcEventService.selectCount();
return map; return map;
} }
} }

42
zc-business/src/main/java/com/zc/business/controller/DcMeteorologicalDetectorController.java

@ -0,0 +1,42 @@
package com.zc.business.controller;
import com.ruoyi.common.core.controller.BaseController;
import com.ruoyi.common.core.page.TableDataInfo;
import com.zc.business.domain.DcEvent;
import com.zc.business.domain.DcMeteorologicalDetectorData;
import com.zc.business.service.IDcEventService;
import com.zc.business.service.IDcMeteorologicalDetectorDataService;
import com.zc.business.service.impl.DcMeteorologicalDetectorDataServiceImpl;
import io.swagger.annotations.Api;
import io.swagger.annotations.ApiOperation;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*;
import java.util.List;
import java.util.Map;
/**
*
*/
@Api(tags = "气象设备")
@RestController
@RequestMapping("/dc/system/meteorologicalDetector")
public class DcMeteorologicalDetectorController extends BaseController {
@Autowired
private IDcMeteorologicalDetectorDataService dcMeteorologicalDetectorDataService;
@ApiOperation("统计气象设备信息列表")
@GetMapping("/{deviceName}")
public TableDataInfo list(@PathVariable("deviceName") String deviceName)
{
List<Map<String,String>> list = dcMeteorologicalDetectorDataService.selectStatistics(deviceName);
return getDataTable(list);
}
@ApiOperation("统计气象设备当天最新信息列表")
@GetMapping("/listLatest")
public TableDataInfo listAll(DcMeteorologicalDetectorData dcMeteorologicalDetectorData)
{
List<DcMeteorologicalDetectorData> list = dcMeteorologicalDetectorDataService.selectlistAll(dcMeteorologicalDetectorData);
return getDataTable(list);
}
}

7
zc-business/src/main/java/com/zc/business/controller/DcStakeMarkController.java

@ -14,6 +14,7 @@ import org.springframework.web.bind.annotation.*;
import javax.annotation.Resource; import javax.annotation.Resource;
import javax.validation.Valid; import javax.validation.Valid;
import java.io.IOException;
import java.util.List; import java.util.List;
/** /**
@ -112,4 +113,10 @@ public class DcStakeMarkController extends BaseController {
return toAjax(dcStakeMarkService.removeStakeMark(ids)); return toAjax(dcStakeMarkService.removeStakeMark(ids));
} }
@ApiOperation("根据json文件路径导入桩号")
@PostMapping("importStakeMarkByJsonFilePath")
public AjaxResult importJsonStakeMark(String filePath,String direction) throws IOException {
return dcStakeMarkService.importJsonStakeMark(filePath, direction);
}
} }

2
zc-business/src/main/java/com/zc/business/controller/DcWarningController.java

@ -55,7 +55,7 @@ public class DcWarningController extends BaseController
@PreAuthorize("@ss.hasPermi('business:warning:export')") @PreAuthorize("@ss.hasPermi('business:warning:export')")
@Log(title = "预警信息", businessType = BusinessType.EXPORT) @Log(title = "预警信息", businessType = BusinessType.EXPORT)
@PostMapping("/export") @PostMapping("/export")
public void export(HttpServletResponse response, DcWarning dcWarning) public void export(HttpServletResponse response,@RequestBody DcWarning dcWarning)
{ {
List<DcWarning> list = dcWarningService.export(dcWarning); List<DcWarning> list = dcWarningService.export(dcWarning);
ExcelUtil<DcWarning> util = new ExcelUtil<>(DcWarning.class); ExcelUtil<DcWarning> util = new ExcelUtil<>(DcWarning.class);

2
zc-business/src/main/java/com/zc/business/controller/NonAutomaticWarningController.java

@ -14,6 +14,7 @@ import io.swagger.annotations.Api;
import io.swagger.annotations.ApiOperation; import io.swagger.annotations.ApiOperation;
import org.eclipse.paho.client.mqttv3.*; import org.eclipse.paho.client.mqttv3.*;
import org.eclipse.paho.client.mqttv3.persist.MemoryPersistence; import org.eclipse.paho.client.mqttv3.persist.MemoryPersistence;
import org.springframework.stereotype.Component;
import org.springframework.web.bind.annotation.*; import org.springframework.web.bind.annotation.*;
import javax.annotation.Resource; import javax.annotation.Resource;
@ -32,6 +33,7 @@ import java.util.Objects;
*/ */
@Api(tags = "非机预警接口") @Api(tags = "非机预警接口")
@RestController @RestController
@Component
@RequestMapping("/nonAutomaticWarning") @RequestMapping("/nonAutomaticWarning")
public class NonAutomaticWarningController extends BaseController { public class NonAutomaticWarningController extends BaseController {

39
zc-business/src/main/java/com/zc/business/controller/StatusController.java

@ -1,8 +1,10 @@
package com.zc.business.controller; package com.zc.business.controller;
import com.github.pagehelper.util.StringUtil;
import com.ruoyi.common.annotation.Log; import com.ruoyi.common.annotation.Log;
import com.ruoyi.common.core.controller.BaseController; import com.ruoyi.common.core.controller.BaseController;
import com.ruoyi.common.core.domain.AjaxResult; import com.ruoyi.common.core.domain.AjaxResult;
import com.ruoyi.common.core.page.TableDataInfo; import com.ruoyi.common.core.page.TableDataInfo;
import com.ruoyi.common.core.redis.RedisCache;
import com.ruoyi.common.enums.BusinessType; import com.ruoyi.common.enums.BusinessType;
import com.ruoyi.common.utils.StringUtils; import com.ruoyi.common.utils.StringUtils;
import com.ruoyi.common.utils.poi.ExcelUtil; import com.ruoyi.common.utils.poi.ExcelUtil;
@ -15,6 +17,7 @@ import io.swagger.annotations.ApiOperation;
import org.springframework.beans.factory.annotation.Autowired; import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*; import org.springframework.web.bind.annotation.*;
import javax.annotation.Resource;
import javax.servlet.http.HttpServletResponse; import javax.servlet.http.HttpServletResponse;
import java.time.LocalDateTime; import java.time.LocalDateTime;
import java.time.temporal.ChronoUnit; import java.time.temporal.ChronoUnit;
@ -31,6 +34,10 @@ public class StatusController extends BaseController {
private StatusService statusService; private StatusService statusService;
@Autowired @Autowired
private DcDeviceServiceImpl dcDeviceService; private DcDeviceServiceImpl dcDeviceService;
@Resource
private RedisCache redisCache;
private static final String ORDERRULE = "orderRule";//排序策略key
//设备列表 //设备列表
@ApiOperation("设备状态列表按时间和类型") @ApiOperation("设备状态列表按时间和类型")
@ -86,7 +93,7 @@ public class StatusController extends BaseController {
Map<String,String> mapSort=new TreeMap<>(); Map<String,String> mapSort=new TreeMap<>();
for (Map.Entry<String, List<Status>> entry : mapTime.entrySet()) { for (Map.Entry<String, List<Status>> entry : mapTime.entrySet()) {
List<Status> groupItems = entry.getValue(); List<Status> groupItems = entry.getValue();
long count = groupItems.stream().filter(iteam -> iteam.getDeviceStatus() == "1").count(); long count = groupItems.stream().filter(iteam -> Objects.equals(iteam.getDeviceStatus(), "1")).count();
String onlineRate=String.format("%.2f%%", (double) count / groupItems.size() * 100); String onlineRate=String.format("%.2f%%", (double) count / groupItems.size() * 100);
mapSort.put(entry.getKey(),onlineRate); mapSort.put(entry.getKey(),onlineRate);
} }
@ -95,6 +102,16 @@ public class StatusController extends BaseController {
} }
//按时间划分设备柱状图
@ApiOperation("更新缓存规则")
@GetMapping ("/rule")
public AjaxResult setRule(String rule)
{
redisCache.setCacheSetValue(ORDERRULE,rule);
return AjaxResult.success();
}
@ApiOperation("根据设备Id查询折线图数据") @ApiOperation("根据设备Id查询折线图数据")
@GetMapping("/deviceStatusList/{deviceId}") @GetMapping("/deviceStatusList/{deviceId}")
public AjaxResult getDeviceStatusList(@PathVariable Long deviceId) { public AjaxResult getDeviceStatusList(@PathVariable Long deviceId) {
@ -251,11 +268,11 @@ public class StatusController extends BaseController {
Integer lastKey = Collections.max(ipMap.keySet()); Integer lastKey = Collections.max(ipMap.keySet());
List<Status> lastEntry = ipMap.get(lastKey); List<Status> lastEntry = ipMap.get(lastKey);
Map<String, List<Status>> typeMap = lastEntry.stream().filter(iteam -> iteam.getType() != null).collect(Collectors.groupingBy(Status::getType)); Map<String, List<Status>> typeMap = lastEntry.stream().filter(iteam -> iteam.getType() != null).collect(Collectors.groupingBy(Status::getType));
Map<String, Map<String, String>> subMap = new HashMap<>(); Map<String, Map<Object, Object>> subMap = new HashMap<>();
itemTypeMap.forEach((key, value) -> { itemTypeMap.forEach((key, value) -> {
Map<String, String> maps = new HashMap<>(); Map<Object, Object> maps = new HashMap<>();
List<Status> groupItems = typeMap.get(key); List<Status> groupItems = typeMap.get(key);
if (groupItems == null) { if (groupItems == null) {
//丢包率 //丢包率
@ -317,7 +334,7 @@ public class StatusController extends BaseController {
// //
// } // }
//} //}
Map<String, String> maps=new HashMap<>(); Map<Object, Object> maps=new HashMap<>();
double lostRate = lastEntry.stream() double lostRate = lastEntry.stream()
.mapToDouble(Status -> Double.parseDouble(Status.getLostRate().replace("%", ""))) // 去掉%,并转换为double .mapToDouble(Status -> Double.parseDouble(Status.getLostRate().replace("%", ""))) // 去掉%,并转换为double
.average().getAsDouble(); .average().getAsDouble();
@ -337,7 +354,19 @@ public class StatusController extends BaseController {
//总数 //总数
maps.put("sum",String.valueOf(list.size())); maps.put("sum",String.valueOf(list.size()));
subMap.put("全部设备",maps); subMap.put("全部设备",maps);
// Map<Object, Object> ruleMap=new HashMap<>();
// String orderRule=redisCache.getCacheObject(ORDERRULE);
// if(StringUtil.isNotEmpty(orderRule)){
// ruleMap.put("rule",orderRule);
// subMap.put("排序规则",ruleMap);
// }else{
// String[] rules = {"全部设备","高清网络枪型固定摄像机","高清网络球形摄像机","桥下高清网络球形摄像机","360°全景摄像机","180°全景摄像机",
// "门架式可变信息标志","雨棚可变信息标志","站前悬臂式可变信息标志","气象检测器","路段语音广播系统","护栏碰撞预警系统","毫米波雷达",
// "合流区预警系统","激光疲劳唤醒","一类交通量调查站","智能行车诱导系统"};
// orderRule= Arrays.toString(rules);
// ruleMap.put("rule",orderRule);
// subMap.put("排序规则",ruleMap);
// }
return AjaxResult.success(subMap); return AjaxResult.success(subMap);
} }

1050
zc-business/src/main/java/com/zc/business/controller/WordController.java

File diff suppressed because it is too large

230
zc-business/src/main/java/com/zc/business/domain/DcMeteorologicalDetectorData.java

@ -1,5 +1,11 @@
package com.zc.business.domain; package com.zc.business.domain;
import com.baomidou.mybatisplus.annotation.TableField;
import io.swagger.annotations.ApiModel;
import io.swagger.annotations.ApiModelProperty;
import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;
import org.apache.commons.lang3.builder.ToStringBuilder; import org.apache.commons.lang3.builder.ToStringBuilder;
import org.apache.commons.lang3.builder.ToStringStyle; import org.apache.commons.lang3.builder.ToStringStyle;
import com.ruoyi.common.annotation.Excel; import com.ruoyi.common.annotation.Excel;
@ -11,231 +17,123 @@ import com.ruoyi.common.core.domain.BaseEntity;
* @author ruoyi * @author ruoyi
* @date 2024-02-01 * @date 2024-02-01
*/ */
@Data
@AllArgsConstructor
@NoArgsConstructor
@ApiModel("气象检测器数据对象")
public class DcMeteorologicalDetectorData extends BaseEntity public class DcMeteorologicalDetectorData extends BaseEntity
{ {
private static final long serialVersionUID = 1L; private static final long serialVersionUID = 1L;
@ApiModelProperty("主键")
/** 主键 */ /** 主键 */
private Long id; private Long id;
/** 物联设备id */ /** 物联设备id */
@ApiModelProperty("物联设备id")
@Excel(name = "物联设备id") @Excel(name = "物联设备id")
private String iotDeviceId; private String iotDeviceId;
/** 降雨量毫米 */ /** 降雨量毫米 */
@ApiModelProperty("降雨量毫米")
@Excel(name = "降雨量毫米") @Excel(name = "降雨量毫米")
private String rainfall; private String rainfall;
/** 能见度类型 */ /** 能见度类型 */
@ApiModelProperty("能见度类型 4 表示能见度良好3表示阴霾 2表示雾 1表示浓雾")
@Excel(name = "能见度类型") @Excel(name = "能见度类型")
private String visibilityType; private String visibilityType;
/** 能见度 */ /** 能见度 */
@ApiModelProperty("能见度")
@Excel(name = "能见度") @Excel(name = "能见度")
private String visibility; private String visibility;
/** 路面温度 */ /** 路面温度 */
@ApiModelProperty("路面温度")
@Excel(name = "路面温度") @Excel(name = "路面温度")
private String remoteRoadSurfaceTemperature; private String remoteRoadSurfaceTemperature;
/** 气压 */ /** 气压 */
@ApiModelProperty("大气压力 单位hPa")
@Excel(name = "气压") @Excel(name = "气压")
private String atmosphericPressure; private String atmosphericPressure;
/** 降水类型 */ /** 降水类型 */
@ApiModelProperty("降水类型 0=无降;1=雨;2=雪;3=毛毛雨;4=雨夹雪")
@Excel(name = "降水类型") @Excel(name = "降水类型")
private String precipitationType; private String precipitationType;
/** 湿滑系数 */ /** 湿滑系数 */
@ApiModelProperty("湿滑系数")
@Excel(name = "湿滑系数") @Excel(name = "湿滑系数")
private String wetSlipperyCoefficient; private String wetSlipperyCoefficient;
/** 气温 */ /** 气温 */
@ApiModelProperty("气温")
@Excel(name = "气温") @Excel(name = "气温")
private String temperature; private String temperature;
/** 湿度 */ /** 湿度 */
@Excel(name = "湿度") @Excel(name = "湿度")
private String humidity; @ApiModelProperty("湿度")
private String humidity;
/** 风向 */ /** 风向 */
@ApiModelProperty("风向")
@Excel(name = "风向") @Excel(name = "风向")
private String windDirection; private String windDirection;
/** 风速 */ /** 风速 */
@ApiModelProperty("风速 单位m/s")
@Excel(name = "风速") @Excel(name = "风速")
private String windSpeed; private String windSpeed;
/** 路面状态 */ /** 路面状态 */
@ApiModelProperty("路面状态 00=干燥,01=潮湿,02=积水,03=结冰,04=积雪,05=冰水混合物,06=泥泞")
@Excel(name = "路面状态") @Excel(name = "路面状态")
private String remoteRoadSurfaceStatus; private String remoteRoadSurfaceStatus;
/** 水膜厚度 */ /** 水膜厚度 */
@ApiModelProperty("水膜厚度 单位mm")
@Excel(name = "水膜厚度") @Excel(name = "水膜厚度")
private String waterFilmIceSnowValue; private String waterFilmIceSnowValue;
@Excel(name = "设备名称")
@ApiModelProperty("设备名称")
private String deviceName;
@Excel(name = "桩号")
@ApiModelProperty("桩号")
private String stakeMark;
@ApiModelProperty("方向")
@Excel(name = "方向")
private String direction;
@ApiModelProperty("状态")
@TableField(exist = false)
private String deviceState;
// "rainfall": 0,
// "visibility": "05.000",
// "remoteRoadSurfaceTemperature": 11.5,
// "atmosphericPressure:": 1008.8,
// "precipitationType": 0,
// "wetSlipperyCoefficient": 80,
// "temperature": 12.6,
// "humidity": 63.4,
// "windDirection": 358,
// "windSpeed": 1.5,
// "remoteRoadSurfaceStatus": "01",
// "visibilityType": 4,
// "waterFilmIceSnowValue": 0
public void setId(Long id)
{
this.id = id;
}
public Long getId()
{
return id;
}
public void setIotDeviceId(String iotDeviceId)
{
this.iotDeviceId = iotDeviceId;
}
public String getIotDeviceId()
{
return iotDeviceId;
}
public void setRainfall(String rainfall)
{
this.rainfall = rainfall;
}
public String getRainfall()
{
return rainfall;
}
public void setVisibilityType(String visibilityType)
{
this.visibilityType = visibilityType;
}
public String getVisibilityType()
{
return visibilityType;
}
public void setVisibility(String visibility)
{
this.visibility = visibility;
}
public String getVisibility()
{
return visibility;
}
public void setAtmosphericPressure(String atmosphericPressure)
{
this.atmosphericPressure = atmosphericPressure;
}
public String getAtmosphericPressure()
{
return atmosphericPressure;
}
public void setTemperature(String temperature)
{
this.temperature = temperature;
}
public String getTemperature()
{
return temperature;
}
public void setHumidity(String humidity)
{
this.humidity = humidity;
}
public String getHumidity()
{
return humidity;
}
public void setWindDirection(String windDirection)
{
this.windDirection = windDirection;
}
public String getWindDirection()
{
return windDirection;
}
public void setWindSpeed(String windSpeed)
{
this.windSpeed = windSpeed;
}
public String getWindSpeed()
{
return windSpeed;
}
public void setPrecipitationType(String precipitationType)
{
this.precipitationType = precipitationType;
}
public String getPrecipitationType()
{
return precipitationType;
}
public void setWetSlipperyCoefficient(String wetSlipperyCoefficient)
{
this.wetSlipperyCoefficient = wetSlipperyCoefficient;
}
public String getWetSlipperyCoefficient()
{
return wetSlipperyCoefficient;
}
public void setRemoteRoadSurfaceTemperature(String remoteRoadSurfaceTemperature)
{
this.remoteRoadSurfaceTemperature = remoteRoadSurfaceTemperature;
}
public String getRemoteRoadSurfaceTemperature()
{
return remoteRoadSurfaceTemperature;
}
public void setRemoteRoadSurfaceStatus(String remoteRoadSurfaceStatus)
{
this.remoteRoadSurfaceStatus = remoteRoadSurfaceStatus;
}
public String getRemoteRoadSurfaceStatus()
{
return remoteRoadSurfaceStatus;
}
public void setWaterFilmIceSnowValue(String waterFilmIceSnowValue)
{
this.waterFilmIceSnowValue = waterFilmIceSnowValue;
}
public String getWaterFilmIceSnowValue()
{
return waterFilmIceSnowValue;
}
@Override
public String toString() {
return new ToStringBuilder(this,ToStringStyle.MULTI_LINE_STYLE)
.append("id", getId())
.append("iotDeviceId", getIotDeviceId())
.append("rainfall", getRainfall())
.append("visibilityType", getVisibilityType())
.append("visibility", getVisibility())
.append("atmosphericPressure", getAtmosphericPressure())
.append("temperature", getTemperature())
.append("humidity", getHumidity())
.append("windDirection", getWindDirection())
.append("windSpeed", getWindSpeed())
.append("precipitationType", getPrecipitationType())
.append("wetSlipperyCoefficient", getWetSlipperyCoefficient())
.append("remoteRoadSurfaceTemperature", getRemoteRoadSurfaceTemperature())
.append("remoteRoadSurfaceStatus", getRemoteRoadSurfaceStatus())
.append("waterFilmIceSnowValue", getWaterFilmIceSnowValue())
.toString();
}
} }

2
zc-business/src/main/java/com/zc/business/domain/DcStakeMark.java

@ -29,5 +29,7 @@ public class DcStakeMark {
private Date updateTime; private Date updateTime;
@ApiModelProperty("所属辖区") @ApiModelProperty("所属辖区")
private Long sectionId; private Long sectionId;
@ApiModelProperty("桩号里程")
private Long mileage;
} }

4
zc-business/src/main/java/com/zc/business/domain/Status.java

@ -125,7 +125,7 @@ public class Status {
private Long deviceId; private Long deviceId;
@DateTimeFormat(pattern = "yyyy-MM-dd HH:mm:ss") @DateTimeFormat(pattern = "yyyy-MM-dd HH:mm:ss")
@JsonFormat(pattern ="yyyy-MM-dd HH:mm:ss") @JsonFormat(pattern ="yyyy-MM-dd HH:mm:ss")
@Excel(name = "监测时间", width = 30, dateFormat = "yyyy-MM-dd") @Excel(name = "监测时间", width = 30, dateFormat = "yyyy-MM-dd HH:mm:ss")
private LocalDateTime time; private LocalDateTime time;
public String getSuccessRate() { public String getSuccessRate() {
@ -208,7 +208,7 @@ public class Status {
this.deviceId = deviceId; this.deviceId = deviceId;
} }
@Excel(name = "型号") // @Excel(name = "型号")
private String model; private String model;

6
zc-business/src/main/java/com/zc/business/mapper/DcMeteorologicalDetectorDataMapper.java

@ -1,6 +1,8 @@
package com.zc.business.mapper; package com.zc.business.mapper;
import java.util.List; import java.util.List;
import java.util.Map;
import com.zc.business.domain.DcMeteorologicalDetectorData; import com.zc.business.domain.DcMeteorologicalDetectorData;
import com.zc.business.domain.MdDeviceData; import com.zc.business.domain.MdDeviceData;
@ -59,4 +61,8 @@ public interface DcMeteorologicalDetectorDataMapper
* @return 结果 * @return 结果
*/ */
int deleteDcMeteorologicalDetectorDataByIds(Long[] ids); int deleteDcMeteorologicalDetectorDataByIds(Long[] ids);
//统计
List<Map<String, String>> selectStatistics(String deviceName);
List<DcMeteorologicalDetectorData> selectlistAll(DcMeteorologicalDetectorData dcMeteorologicalDetectorData);
} }

9
zc-business/src/main/java/com/zc/business/mapper/DcStakeMarkMapper.java

@ -1,14 +1,21 @@
package com.zc.business.mapper; package com.zc.business.mapper;
import com.baomidou.mybatisplus.core.mapper.BaseMapper; import com.baomidou.mybatisplus.core.mapper.BaseMapper;
import com.zc.business.domain.DcDevice;
import com.zc.business.domain.DcStakeMark; import com.zc.business.domain.DcStakeMark;
import org.apache.ibatis.annotations.Mapper; import org.apache.ibatis.annotations.Mapper;
import java.util.List;
/** /**
* 桩号Mapper接口 * 桩号Mapper接口
* *
* @author zhaoxianglong * @author
*/ */
@Mapper @Mapper
public interface DcStakeMarkMapper extends BaseMapper<DcStakeMark> { public interface DcStakeMarkMapper extends BaseMapper<DcStakeMark> {
boolean batchInsert(List<DcStakeMark> dcStakeMarkList);
} }

93
zc-business/src/main/java/com/zc/business/mapper/DcTrafficIncidentsMapper.java

@ -236,4 +236,97 @@ public interface DcTrafficIncidentsMapper {
*/ */
List<Map<String,Object>> selectEventTypeAnalysis(@Param("direction") String direction,@Param("type") String type,@Param("startTime") String startTime); List<Map<String,Object>> selectEventTypeAnalysis(@Param("direction") String direction,@Param("type") String type,@Param("startTime") String startTime);
/**
* @Description 交通管制情况
*
* @author liuwenge
* @date 2024/3/27 18:32
* @param startTime
* @param endTime
* @return java.util.List<java.util.Map<java.lang.String,java.lang.Object>>
*/
List<Map<String,Object>> selectTrafficControlAnalysis(@Param("startTime") String startTime,@Param("endTime") String endTime);
/**
* @Description 交通事故统计
*
* @author liuwenge
* @date 2024/3/27 20:04
* @param
* @return java.util.List<java.util.Map<java.lang.String,java.lang.Object>>
*/
List<Map<String,Object>> selectTrafficAccidentAnalysis();
/**
* @Description 封闭原因统计
*
* @author liuwenge
* @date 2024/3/28 14:47
* @param controlType
* @param startTime
* @param endTime
* @return java.util.List<java.util.Map<java.lang.String,java.lang.Object>>
*/
List<Map<String,Object>> selectTrafficControlReasons(@Param("controlType") String controlType,@Param("startTime") String startTime,@Param("endTime") String endTime);
/**
* @Description 封闭数量统计
*
* @author liuwenge
* @date 2024/3/28 14:51
* @param
* @return java.util.List<java.util.Map<java.lang.String,java.lang.Object>>
*/
List<Map<String,Object>> selectClosedQuantity();
/**
* @Description 事故类型统计--当月按类型
*
* @author liuwenge
* @date 2024/3/28 15:19
* @param
* @return java.util.List<java.util.Map<java.lang.String,java.lang.Object>>
*/
List<Map<String,Object>> selectAccidentTypeStatistics();
/**
* @Description 事故类型统计--当天按小时
*
* @author liuwenge
* @date 2024/3/28 16:28
* @param
* @return java.util.List<java.util.Map<java.lang.String,java.lang.Object>>
*/
List<Map<String,Object>> selectTrafficAccidents();
/**
* @Description 拥堵地点
*
* @author liuwenge
* @date 2024/3/28 16:55
* @param
* @return java.util.List<java.util.Map<java.lang.String,java.lang.Object>>
*/
List<Map<String,Object>> selectCongestionLocation();
/**
* @Description 拥堵时长
*
* @author liuwenge
* @date 2024/3/28 17:23
* @param
* @return java.util.List<java.util.Map<java.lang.String,java.lang.Object>>
*/
List<Map<String,Object>> selectCongestionDuration(@Param("startTime") String startTime,@Param("endTime") String endTime);
/**
* @Description 拥堵长度
*
* @author liuwenge
* @date 2024/3/28 19:30
* @return java.util.List<java.util.Map<java.lang.String,java.lang.Object>>
*/
List<Map<String,Object>> selectCongestionMileage();
} }

37
zc-business/src/main/java/com/zc/business/message/device/handler/DeviceMessageHandler.java

@ -378,16 +378,20 @@ public class DeviceMessageHandler {
String direction = ""; String direction = "";
if (Objects.equals(location, "0")) { if (Objects.equals(location, "0")) {
dcWarning.setDirection("1"); dcWarning.setDirection("1");
direction = "上行右侧"; dcWarning.setLane("0");
direction = "菏泽方向右侧护栏";
} else if (Objects.equals(location, "1")) { } else if (Objects.equals(location, "1")) {
dcWarning.setDirection("1"); dcWarning.setDirection("1");
direction = "上行左侧"; dcWarning.setLane("1");
direction = "菏泽方向左侧护栏";
} else if (Objects.equals(location, "10")) { } else if (Objects.equals(location, "10")) {
dcWarning.setDirection("0"); dcWarning.setDirection("0");
direction = "下行右侧"; dcWarning.setLane("0");
direction = "济南方向右侧护栏";
} else if (Objects.equals(location, "11")) { } else if (Objects.equals(location, "11")) {
dcWarning.setDirection("0"); dcWarning.setDirection("0");
direction = "下行左侧"; dcWarning.setLane("1");
direction = "济南方向左侧护栏";
} }
String eventType = ""; String eventType = "";
@ -423,8 +427,11 @@ public class DeviceMessageHandler {
dcWarning.setStakeMark(dcDevices.get(0).getStakeMark()); dcWarning.setStakeMark(dcDevices.get(0).getStakeMark());
dcWarning.setWarningType(9); dcWarning.setWarningType(9);
dcWarning.setWarningSubclass("4");
dcWarning.setWarningState(1);
dcWarning.setCreateTime(new Date()); dcWarning.setCreateTime(new Date());
dcWarning.setWarningTitle("护栏碰撞上报事件:区域号为" + areaCode + "在" + timeOfFireAlarming + direction + "发生" + eventType + "事件"); dcWarning.setDirection("护栏碰撞上报事件:区域号为" + areaCode + "在20" + timeOfFireAlarming + direction + "发生" + eventType + "事件");
dcWarning.setWarningTitle("护栏碰撞在20" + timeOfFireAlarming + direction + "发生" + eventType + "事件");
dcWarning.setOtherConfig(dataJsonObject.toJSONString()); dcWarning.setOtherConfig(dataJsonObject.toJSONString());
dcWarningService.insertDcWarning(dcWarning); dcWarningService.insertDcWarning(dcWarning);
} }
@ -438,7 +445,25 @@ public class DeviceMessageHandler {
*/ */
private void weatherDetectorMessageHandle(JSONObject msg) { private void weatherDetectorMessageHandle(JSONObject msg) {
DcMeteorologicalDetectorData meteorologicalDetectorData = (DcMeteorologicalDetectorData) msg.get("properties"); // DcMeteorologicalDetectorData meteorologicalDetectorData = (DcMeteorologicalDetectorData) msg.get("properties");
JSONObject jsonObject = (JSONObject) msg.get("properties");
DcMeteorologicalDetectorData meteorologicalDetectorData = jsonObject.toJavaObject(DcMeteorologicalDetectorData.class);
JSONObject jsonObjectHeaders = (JSONObject)msg.get("headers");
String parts = jsonObjectHeaders.getString("deviceName");
String[] strings = parts.split("-");
String deviceName = strings[0];
String stakeMark = strings[1];
String direction = strings[2];
//设备名称
meteorologicalDetectorData.setDeviceName(deviceName);
//位置
meteorologicalDetectorData.setStakeMark(stakeMark);
//方向
meteorologicalDetectorData.setDirection(direction);
meteorologicalDetectorData.setIotDeviceId(msg.get("deviceId").toString()); meteorologicalDetectorData.setIotDeviceId(msg.get("deviceId").toString());
meteorologicalDetectorDataService.insertDcMeteorologicalDetectorData(meteorologicalDetectorData); meteorologicalDetectorDataService.insertDcMeteorologicalDetectorData(meteorologicalDetectorData);

8
zc-business/src/main/java/com/zc/business/service/DcEmergencyPlansService.java

@ -65,6 +65,14 @@ public interface DcEmergencyPlansService {
*/ */
JSONArray executionEventConfirmation(DcEventAnDcEmergencyPlans dcEventAnDcEmergencyPlans); JSONArray executionEventConfirmation(DcEventAnDcEmergencyPlans dcEventAnDcEmergencyPlans);
/**
* 根据事件id-查询预案事件关联表
*
* @param eventId 事件id
* @return 结果
*/
EventPlanAssoc selectEventPlanAssocByEventId(String eventId);
/** /**
* 感知事件确定 * 感知事件确定
* *

6
zc-business/src/main/java/com/zc/business/service/IDcMeteorologicalDetectorDataService.java

@ -1,6 +1,8 @@
package com.zc.business.service; package com.zc.business.service;
import java.util.List; import java.util.List;
import java.util.Map;
import com.zc.business.domain.DcMeteorologicalDetectorData; import com.zc.business.domain.DcMeteorologicalDetectorData;
import com.zc.business.domain.MdDeviceData; import com.zc.business.domain.MdDeviceData;
@ -59,4 +61,8 @@ public interface IDcMeteorologicalDetectorDataService
* @return 结果 * @return 结果
*/ */
int deleteDcMeteorologicalDetectorDataById(Long id); int deleteDcMeteorologicalDetectorDataById(Long id);
//统计当天 没小时温度
List<Map<String,String>> selectStatistics(String deviceName);
List<DcMeteorologicalDetectorData> selectlistAll(DcMeteorologicalDetectorData dcMeteorologicalDetectorData);
} }

11
zc-business/src/main/java/com/zc/business/service/IDcStakeMarkService.java

@ -2,8 +2,10 @@ package com.zc.business.service;
import com.baomidou.mybatisplus.extension.service.IService; import com.baomidou.mybatisplus.extension.service.IService;
import com.ruoyi.common.core.domain.AjaxResult;
import com.zc.business.domain.DcStakeMark; import com.zc.business.domain.DcStakeMark;
import java.io.IOException;
import java.util.List; import java.util.List;
/** /**
@ -60,4 +62,13 @@ public interface IDcStakeMarkService extends IService<DcStakeMark> {
* @return 设备信息 * @return 设备信息
*/ */
DcStakeMark getStakeMark(String id); DcStakeMark getStakeMark(String id);
/**
* 导入桩号
*
* @param filePath json文件路径
* @return
*/
AjaxResult importJsonStakeMark(String filePath,String direction) throws IOException;
} }

56
zc-business/src/main/java/com/zc/business/service/impl/DcEmergencyPlansServiceImpl.java

@ -30,6 +30,7 @@ import javax.annotation.Resource;
import java.io.IOException; import java.io.IOException;
import java.text.SimpleDateFormat; import java.text.SimpleDateFormat;
import java.util.*; import java.util.*;
import java.util.concurrent.CountDownLatch;
import java.util.stream.Collectors; import java.util.stream.Collectors;
@Service @Service
@ -225,12 +226,11 @@ public class DcEmergencyPlansServiceImpl implements DcEmergencyPlansService {
*/ */
public Map<String, List<DcInfoBoardTemplate>> getBoardTemplate(List<DcDevice> dcDevices) { public Map<String, List<DcInfoBoardTemplate>> getBoardTemplate(List<DcDevice> dcDevices) {
Map<String, List<DcInfoBoardTemplate>> map = new HashMap<>(); Map<String, List<DcInfoBoardTemplate>> map = new HashMap<>();
CountDownLatch latch = new CountDownLatch(dcDevices.size());
dcDevices.forEach(dcDevice -> { dcDevices.forEach(dcDevice -> {
threadPoolTaskExecutor.execute(() -> { threadPoolTaskExecutor.execute(() -> {
try { try {
if (StringUtils.isEmpty(dcDevice.getIotDeviceId())) { if (StringUtils.isNotEmpty(dcDevice.getIotDeviceId())){
return;
}
AjaxResult ajaxResult = dcDeviceController.getDeviceRealtimeProperty(dcDevice.getIotDeviceId(), "3A", new HashMap<>()); AjaxResult ajaxResult = dcDeviceController.getDeviceRealtimeProperty(dcDevice.getIotDeviceId(), "3A", new HashMap<>());
if (ajaxResult.get("code").equals(200)) { if (ajaxResult.get("code").equals(200)) {
JSONObject properties = JSON.parseObject(JSON.parseObject(ajaxResult.get("data").toString()).get("3A").toString()); JSONObject properties = JSON.parseObject(JSON.parseObject(ajaxResult.get("data").toString()).get("3A").toString());
@ -263,12 +263,19 @@ public class DcEmergencyPlansServiceImpl implements DcEmergencyPlansService {
}); });
map.put(dcDevice.getDeviceName(), list); map.put(dcDevice.getDeviceName(), list);
} }
}
} catch (Exception e) { } catch (Exception e) {
e.printStackTrace(); e.printStackTrace();
} finally {
latch.countDown(); // 确保在异常情况下也能减少CountDownLatch计数
} }
}); });
}); });
try {
latch.await(); // 等待所有线程执行完毕
} catch (InterruptedException e) {
Thread.currentThread().interrupt();
}
return map; return map;
} }
@ -301,7 +308,7 @@ public class DcEmergencyPlansServiceImpl implements DcEmergencyPlansService {
} else if (searchRule.equals(2)) { } else if (searchRule.equals(2)) {
// 事件上游最近 // 事件上游最近
if (direction.equals("1")) { if (direction.equals("菏泽方向")) {
// 上行 取最大的几个 // 上行 取最大的几个
start.add("55"); start.add("55");
start.add("379"); start.add("379");
@ -341,7 +348,7 @@ public class DcEmergencyPlansServiceImpl implements DcEmergencyPlansService {
} else if (searchRule.equals(3)) { } else if (searchRule.equals(3)) {
// 事件下游最近 // 事件下游最近
if (direction.equals("1")) { if (direction.equals("菏泽方向")) {
// 上行 取最大的几个 // 上行 取最大的几个
start.add(markArray[0]); start.add(markArray[0]);
start.add(markArray[1]); start.add(markArray[1]);
@ -417,6 +424,18 @@ public class DcEmergencyPlansServiceImpl implements DcEmergencyPlansService {
return executionConfirmation(dcEventAnDcEmergencyPlans, dcEvent.getStakeMark(), direction, id); return executionConfirmation(dcEventAnDcEmergencyPlans, dcEvent.getStakeMark(), direction, id);
} }
/**
* 根据事件id-查询预案事件关联表
* @param eventId 事件id
* @return
*/
@Override
public EventPlanAssoc selectEventPlanAssocByEventId(String eventId) {
EventPlanAssoc eventPlanAssoc = new EventPlanAssoc();
eventPlanAssoc.setEventId(eventId);
return eventPlanAssocMapper.selectByEventId(eventPlanAssoc);
}
/** /**
* 感知事件-情报板自动生成 * 感知事件-情报板自动生成
* *
@ -577,17 +596,24 @@ public class DcEmergencyPlansServiceImpl implements DcEmergencyPlansService {
EventPlanAssoc eventPlanAssoc = new EventPlanAssoc(); EventPlanAssoc eventPlanAssoc = new EventPlanAssoc();
// 事件编号 // 事件编号
eventPlanAssoc.setEventId(id); eventPlanAssoc.setEventId(id);
EventPlanAssoc selectEventPlanAssoc = eventPlanAssocMapper.selectByEventId(eventPlanAssoc);
// 区分是执行操作 还是 恢复操作 // 区分是执行操作 还是 恢复操作
if (dcEventAnDcEmergencyPlans.getOperationType().equals(1)) { if (dcEventAnDcEmergencyPlans.getOperationType().equals(1) && StringUtils.isEmpty(selectEventPlanAssoc.getId())) {
// 事件预案编号 // 首次执行操作
eventPlanAssoc.setEmergencyPlansId(dcEmergencyPlans.getId()); eventPlanAssoc.setEmergencyPlansId(dcEmergencyPlans.getId());
eventPlanAssoc.setExecutingControlDevice(deviceIds.toString().replaceFirst(";", "")); eventPlanAssoc.setExecutingControlDevice(deviceIds.toString().replaceFirst(";", ""));
eventPlanAssoc.setExecutingControlResult(resultArray.toJSONString()); eventPlanAssoc.setExecutingControlResult(resultArray.toJSONString());
eventPlanAssoc.setCreateTime(DateUtils.getNowDate()); eventPlanAssoc.setCreateTime(DateUtils.getNowDate());
eventPlanAssocMapper.insertEventPlanAssoc(eventPlanAssoc); eventPlanAssocMapper.insertEventPlanAssoc(eventPlanAssoc);
} else { }
EventPlanAssoc selectEventPlanAssoc = eventPlanAssocMapper.selectByEventId(eventPlanAssoc); else if (StringUtils.isNotEmpty(selectEventPlanAssoc.getId()) && dcEventAnDcEmergencyPlans.getOperationType().equals(1)) {
// 多次执行操作
selectEventPlanAssoc.setExecutingControlResult(resultArray.toJSONString());
selectEventPlanAssoc.setUpdateTime(DateUtils.getNowDate());
eventPlanAssocMapper.updateEventPlanAssoc(selectEventPlanAssoc);
}
else {
// 恢复操作 未执行的事件不能进行恢复操作
selectEventPlanAssoc.setUpdateTime(DateUtils.getNowDate()); selectEventPlanAssoc.setUpdateTime(DateUtils.getNowDate());
selectEventPlanAssoc.setRecoveredControlDevice(deviceIds.toString().replaceFirst(";", "")); selectEventPlanAssoc.setRecoveredControlDevice(deviceIds.toString().replaceFirst(";", ""));
selectEventPlanAssoc.setRecoveredControlResult(resultArray.toJSONString()); selectEventPlanAssoc.setRecoveredControlResult(resultArray.toJSONString());
@ -613,7 +639,7 @@ public class DcEmergencyPlansServiceImpl implements DcEmergencyPlansService {
iotDeviceId = device.getIotDeviceId(); iotDeviceId = device.getIotDeviceId();
HashMap<String, Object> props = new HashMap<>(); HashMap<String, Object> props = new HashMap<>();
try { try {
if (device.getDeviceType().equals(DeviceTypeConstants.DRIVING_GUIDANCE)) { if (device.getDeviceType().equals(DeviceTypeConstants.DRIVING_GUIDANCE.toString())) {
// 行车诱导 // 行车诱导
functionId = DeviceFunctionIdConstants.DRIVING_GUIDANCE; functionId = DeviceFunctionIdConstants.DRIVING_GUIDANCE;
// 控制模式 1-手动 2-自动 3-万年历 // 控制模式 1-手动 2-自动 3-万年历
@ -638,7 +664,7 @@ public class DcEmergencyPlansServiceImpl implements DcEmergencyPlansService {
} }
else if (device.getDeviceType().equals(DeviceTypeConstants.VARIABLE_INFORMATION_FLAG)) { else if (device.getDeviceType().equals(DeviceTypeConstants.VARIABLE_INFORMATION_FLAG.toString())) {
if (operationType == 1) { if (operationType == 1) {
// 执行操作 // 执行操作
@ -714,7 +740,7 @@ public class DcEmergencyPlansServiceImpl implements DcEmergencyPlansService {
} }
} }
else if (device.getDeviceType().equals(DeviceTypeConstants.ROAD_SECTION_VOICE_BROADCASTING)) { else if (device.getDeviceType().equals(DeviceTypeConstants.ROAD_SECTION_VOICE_BROADCASTING.toString())) {
// 路段广播 // 路段广播
JSONObject params = new JSONObject(); JSONObject params = new JSONObject();
params.put("name", "task-event"); params.put("name", "task-event");
@ -735,7 +761,7 @@ public class DcEmergencyPlansServiceImpl implements DcEmergencyPlansService {
} }
else if (device.getDeviceType().equals(DeviceTypeConstants.LASER_FATIGUE_AWAKENING)) { else if (device.getDeviceType().equals(DeviceTypeConstants.LASER_FATIGUE_AWAKENING.toString())) {
// 激光疲劳唤醒 // 激光疲劳唤醒
functionId = otherConfig.get("state").toString(); functionId = otherConfig.get("state").toString();

15
zc-business/src/main/java/com/zc/business/service/impl/DcMeteorologicalDetectorDataServiceImpl.java

@ -1,9 +1,12 @@
package com.zc.business.service.impl; package com.zc.business.service.impl;
import java.util.List; import java.util.List;
import java.util.Map;
import com.ruoyi.common.annotation.DataSource; import com.ruoyi.common.annotation.DataSource;
import com.ruoyi.common.enums.DataSourceType; import com.ruoyi.common.enums.DataSourceType;
import com.ruoyi.common.utils.DateUtils;
import com.ruoyi.common.utils.SecurityUtils;
import com.zc.business.domain.DcDevice; import com.zc.business.domain.DcDevice;
import com.zc.business.domain.MdDeviceData; import com.zc.business.domain.MdDeviceData;
import org.springframework.beans.factory.annotation.Autowired; import org.springframework.beans.factory.annotation.Autowired;
@ -24,6 +27,7 @@ public class DcMeteorologicalDetectorDataServiceImpl implements IDcMeteorologica
@Autowired @Autowired
private DcMeteorologicalDetectorDataMapper dcMeteorologicalDetectorDataMapper; private DcMeteorologicalDetectorDataMapper dcMeteorologicalDetectorDataMapper;
/** /**
* 查询气象检测器数据 * 查询气象检测器数据
* *
@ -57,6 +61,7 @@ public class DcMeteorologicalDetectorDataServiceImpl implements IDcMeteorologica
@Override @Override
public int insertDcMeteorologicalDetectorData(DcMeteorologicalDetectorData dcMeteorologicalDetectorData) public int insertDcMeteorologicalDetectorData(DcMeteorologicalDetectorData dcMeteorologicalDetectorData)
{ {
dcMeteorologicalDetectorData.setCreateTime(DateUtils.getNowDate());
return dcMeteorologicalDetectorDataMapper.insertDcMeteorologicalDetectorData(dcMeteorologicalDetectorData); return dcMeteorologicalDetectorDataMapper.insertDcMeteorologicalDetectorData(dcMeteorologicalDetectorData);
} }
@ -95,4 +100,14 @@ public class DcMeteorologicalDetectorDataServiceImpl implements IDcMeteorologica
{ {
return dcMeteorologicalDetectorDataMapper.deleteDcMeteorologicalDetectorDataById(id); return dcMeteorologicalDetectorDataMapper.deleteDcMeteorologicalDetectorDataById(id);
} }
@Override
public List<Map<String,String>> selectStatistics(String deviceName) {
return dcMeteorologicalDetectorDataMapper.selectStatistics(deviceName);
}
@Override
public List<DcMeteorologicalDetectorData> selectlistAll(DcMeteorologicalDetectorData dcMeteorologicalDetectorData) {
return dcMeteorologicalDetectorDataMapper.selectlistAll(dcMeteorologicalDetectorData);
}
} }

96
zc-business/src/main/java/com/zc/business/service/impl/DcStakeMarkServiceImpl.java

@ -1,19 +1,26 @@
package com.zc.business.service.impl; package com.zc.business.service.impl;
import com.alibaba.fastjson.JSON;
import com.alibaba.fastjson.TypeReference;
import com.baomidou.mybatisplus.core.conditions.query.LambdaQueryWrapper; import com.baomidou.mybatisplus.core.conditions.query.LambdaQueryWrapper;
import com.baomidou.mybatisplus.extension.service.impl.ServiceImpl; import com.baomidou.mybatisplus.extension.service.impl.ServiceImpl;
import com.ruoyi.common.constant.HttpStatus; import com.ruoyi.common.constant.HttpStatus;
import com.ruoyi.common.core.domain.AjaxResult;
import com.ruoyi.common.exception.ServiceException; import com.ruoyi.common.exception.ServiceException;
import com.ruoyi.common.utils.PageUtils; import com.ruoyi.common.utils.PageUtils;
import com.ruoyi.common.utils.StakeMarkUtils;
import com.zc.business.domain.DcRoadSection;
import com.zc.business.domain.DcStakeMark; import com.zc.business.domain.DcStakeMark;
import com.zc.business.mapper.DcRoadSectionMapper;
import com.zc.business.mapper.DcStakeMarkMapper; import com.zc.business.mapper.DcStakeMarkMapper;
import com.zc.business.service.IDcStakeMarkService; import com.zc.business.service.IDcStakeMarkService;
import org.springframework.stereotype.Service; import org.springframework.stereotype.Service;
import org.springframework.util.StringUtils; import org.springframework.util.StringUtils;
import java.util.Date; import javax.annotation.Resource;
import java.util.List; import java.io.*;
import java.util.Objects; import java.util.*;
import java.util.regex.Pattern;
/** /**
* 桩号Service业务层处理 * 桩号Service业务层处理
@ -23,6 +30,10 @@ import java.util.Objects;
@Service @Service
public class DcStakeMarkServiceImpl extends ServiceImpl<DcStakeMarkMapper, DcStakeMark> implements IDcStakeMarkService { public class DcStakeMarkServiceImpl extends ServiceImpl<DcStakeMarkMapper, DcStakeMark> implements IDcStakeMarkService {
@Resource
private DcStakeMarkMapper dcStakeMarkMapper;
@Resource
private DcRoadSectionMapper dcRoadSectionMapper;
public LambdaQueryWrapper<DcStakeMark> stakeMarkQueryWrapper(DcStakeMark dcStakeMark) { public LambdaQueryWrapper<DcStakeMark> stakeMarkQueryWrapper(DcStakeMark dcStakeMark) {
@ -125,5 +136,84 @@ public class DcStakeMarkServiceImpl extends ServiceImpl<DcStakeMarkMapper, DcSta
return getById(id); return getById(id);
} }
/**
* @Description 导入桩号
*
* @author liuwenge
* @date 2024/3/22 11:16
* @param filePath json文件路径
* @return com.ruoyi.common.core.domain.AjaxResult
*/
@Override
public AjaxResult importJsonStakeMark(String filePath,String direction) throws IOException {
Date methodStart = new Date();
File file = new File(filePath);
FileReader fileReader = new FileReader(file);
Reader reader = new InputStreamReader(new FileInputStream(file), "Utf-8");
int ch = 0;
StringBuffer sb = new StringBuffer();
while ((ch = reader.read()) != -1) {
sb.append((char) ch);
}
fileReader.close();
reader.close();
String jsonStr = sb.toString();
Map<String, Map<String,Object>> map = JSON.parseObject(jsonStr, new TypeReference<HashMap<String, Map<String,Object>>>() {});
List<DcStakeMark> stakeMarkList = new ArrayList<>();
List<DcRoadSection> dcRoadSectionList = dcRoadSectionMapper.selectDcRoadSectionList(null);
//桩号格式校验
List<String> errorKey = new ArrayList<>();
map.keySet().forEach(key ->{
if (!StakeMarkUtils.checkStakeMark(key)){
errorKey.add(key);
}
DcStakeMark dcStakeMark = new DcStakeMark();
dcStakeMark.setStakeMark(key);
dcStakeMark.setLongitude(map.get(key).containsKey("lng") ? map.get(key).get("lng").toString() : "");
dcStakeMark.setLatitude(map.get(key).containsKey("lat") ? map.get(key).get("lat").toString() : "");
dcStakeMark.setDirection(direction);
Long sectionId = getRoadSection(dcRoadSectionList,key);
dcStakeMark.setSectionId(sectionId);
dcStakeMark.setMileage(StakeMarkUtils.formatMetreLong(key));
stakeMarkList.add(dcStakeMark);
});
if (errorKey.size() > 0){
return AjaxResult.error("桩号格式错误",errorKey);
}
Date databaseStart = new Date();
Long time = databaseStart.getTime() - methodStart.getTime();
System.out.println("处理数据用时---------------------------------->" + time);
dcStakeMarkMapper.batchInsert(stakeMarkList);
Long endTime = new Date().getTime() - databaseStart.getTime();
System.out.println("导入数据库用时--------------------------------->" + endTime);
return AjaxResult.success();
}
private Long getRoadSection(List<DcRoadSection> roadSectionList,String stakeMark){
if (roadSectionList == null || roadSectionList.size() < 1){
return null;
}
Long metre = StakeMarkUtils.formatMetreLong(stakeMark);
for (DcRoadSection dcRoadSection : roadSectionList) {
Long startStakeMark = StakeMarkUtils.formatMetreLong(dcRoadSection.getStartStakeMark());
Long endStakeMark = StakeMarkUtils.formatMetreLong(dcRoadSection.getEndStakeMark());
if (metre >= startStakeMark && metre < endStakeMark){
return dcRoadSection.getId();
}
}
return null;
}
} }

140
zc-business/src/main/java/com/zc/business/service/impl/DcWarningServiceImpl.java

@ -93,7 +93,138 @@ public class DcWarningServiceImpl implements IDcWarningService
//设置事件Id UUID无下划线格式32 //设置事件Id UUID无下划线格式32
String uuid = IdUtils.fastSimpleUUID(); String uuid = IdUtils.fastSimpleUUID();
dcWarning.setId(uuid); dcWarning.setId(uuid);
return dcWarningMapper.insertDcWarning(dcWarning); if (StringUtils.isBlank(dcWarning.getStakeMark())||dcWarning.getWarningSource()==null||dcWarning.getWarningType()==null||
StringUtils.isBlank(dcWarning.getWarningSubclass())||StringUtils.isBlank(dcWarning.getDirection())){
return 0;
}
String redisKye=dcWarning.getWarningSource().toString()+dcWarning.getWarningType().toString()+dcWarning.getWarningSubclass();//配置数据的key 事件源+事件类型+策略
Map<String, HashMap> redisWarningStrategy = redisCache.getCacheMap(WARNINGSTRATEGY);//获取缓存全部的配置数据
if (redisWarningStrategy==null||redisWarningStrategy.size()==0){//如果缓存为空,查询数据重新加入缓存
Map<String, JSONObject> redisMap = new HashMap<>();
List<DcWaringStrategy> dcWaringStrategies = dcWarningMapper.selectDcWaringStrategyList();//数据库全部配置数据
for (DcWaringStrategy waringStrategy : dcWaringStrategies) {
String key = waringStrategy.getWarningSource().toString() + waringStrategy.getWarningType().toString()
+ waringStrategy.getWarningSubclass()+waringStrategy.getStrategy().toString();//redis配置数据key
JSONObject jsonObject = new JSONObject();
jsonObject.put("strategy", waringStrategy.getStrategy());//策略模式
jsonObject.put("strategyTime", waringStrategy.getStrategyTime());//模式时长,单位为分钟
jsonObject.put("priority", waringStrategy.getPriority());//优先级
redisMap.put(key, jsonObject);
}
redisCache.setCacheMap(WARNINGSTRATEGY, redisMap);//数据库配置数据加入缓存中
redisWarningStrategy = redisCache.getCacheMap(WARNINGSTRATEGY);//缓存数据为空重新加入到缓存在取出缓存的配置
}
String key=dcWarning.getStakeMark()+dcWarning.getDirection()+dcWarning.getWarningSource().
toString()+dcWarning.getWarningType().toString()+dcWarning.getWarningSubclass();//key,redis存储事件的key(桩号+方向+事件源+类型)
String dataId = redisCache.getCacheObject(WARNINGDATA + key);//查看redis是否存在数据(id的值)
HashMap redisValueOne = redisWarningStrategy.get(redisKye+"1");//查看传入的事件类型是否配置策略1(优先级策略)
if(redisValueOne!=null){//执行策略1(暂时未定义,定义后开发)
return dcWarningMapper.insertDcWarning(dcWarning);//未定义直接走新增;
}
HashMap redisValueTwo = redisWarningStrategy.get(redisKye+"2");//查看传入的事件类型是否配置策略2(延迟策略)
if (redisValueOne==null&&redisValueTwo!=null){ //执行策略2,执行到这里说明1不存在或者1未满足过滤条件
String strategyTime = redisValueTwo.get("strategyTime").toString();//策略时长
if (dataId==null){//如果不存在直接加入数据库,加入缓存,配置对应的过期时间
int insertDcWarning = dcWarningMapper.insertDcWarning(dcWarning);//加入数据库
if (insertDcWarning==0){
return 0;
}
String id = dcWarning.getId();//取出加入后的id作为value
redisCache.setCacheObject(WARNINGDATA+key,id,Integer.parseInt(strategyTime),TimeUnit.MINUTES);//加入缓存并设置延迟时间(单位分钟)
return 1;//结束
}
//redis存在数据,取出redis的id找对对应事件的配置,合成事件配置,重新定义延迟时间
HashMap<String, Object> map = dcWarningMapper.selectDcWarningById(dataId);
if (map==null){//redis中有id但是数据库中没有这条数据,那就删除这条redis数据,新数据加入到数据库,并加入到redis
redisCache.deleteObject(WARNINGDATA+key);
dcWarningMapper.insertDcWarning(dcWarning);
String id = dcWarning.getId();
redisCache.setCacheObject(WARNINGDATA+key,id,Integer.parseInt(strategyTime),TimeUnit.MINUTES);
return 1;
}
String otherConfig="";
if (map.get("otherConfig")!=null){
otherConfig = map.get("otherConfig").toString(); //取出原id的配置信息
}
String otherConfigString = dcWarning.getOtherConfig();//新增的配置信息
JSONObject jsonObjectOne = new JSONObject(otherConfig);
JSONObject jsonObjectTwo = new JSONObject(otherConfigString);
DcWarningServiceImpl dcWarningService = new DcWarningServiceImpl();//合成新的json
JSONObject jsonObject = dcWarningService.mergeJsonObjects(jsonObjectOne, jsonObjectTwo);
Integer integer = dcWarningMapper.updateOtherConfig(dataId, jsonObject.toString());//修改数据库配置
redisCache.setCacheObject(WARNINGDATA+key,dataId,Integer.parseInt(strategyTime),TimeUnit.MINUTES);//重新设置延迟时间
if (integer==0){
return 0;
}
return 1;
}
HashMap redisValueThree = redisWarningStrategy.get(redisKye+"3");//查看传入的事件类型是否配置策略3(时间窗口策略)
if (redisValueOne==null&&redisValueTwo==null&&redisValueThree!=null){ //执行策略3,执行到这里说明1不存在或者2不存在或者1未满足过滤条件
String strategyTime = redisValueThree.get("strategyTime").toString();//策略时长
if (dataId==null){//如果不存在直接加入数据库,加入缓存,配置对应的过期时间
int insertDcWarning = dcWarningMapper.insertDcWarning(dcWarning);//加入数据库
if (insertDcWarning==0){
return 0;
}
String id = dcWarning.getId();//取出加入后的id作为value
redisCache.setCacheObject(WARNINGDATA+key,id,Integer.parseInt(strategyTime),TimeUnit.MINUTES);//加入缓存并设置延迟时间(单位分钟)
return 1;//结束
}
//redis存在数据,取出redis的id找对对应事件的配置,合成事件配置
HashMap<String, Object> map = dcWarningMapper.selectDcWarningById(dataId);
if (map==null){//redis中有id但是数据库中没有这条数据,那就删除这条redis数据,新数据加入到数据库,并加入到redis
redisCache.deleteObject(WARNINGDATA+key);
dcWarningMapper.insertDcWarning(dcWarning);
String id = dcWarning.getId();
redisCache.setCacheObject(WARNINGDATA+key,id,Integer.parseInt(strategyTime),TimeUnit.MINUTES);
return 1;
}
String otherConfig="";
otherConfig = map.get("otherConfig").toString();//取出原id的配置信息
String otherConfigString = dcWarning.getOtherConfig();//新增的配置信息
JSONObject jsonObjectOne = new JSONObject(otherConfig);
JSONObject jsonObjectTwo = new JSONObject(otherConfigString);
JSONObject jsonObject = new DcWarningServiceImpl().mergeJsonObjects(jsonObjectOne, jsonObjectTwo);//合成新的json
Integer integer = dcWarningMapper.updateOtherConfig(dataId, jsonObject.toString());//修改数据库配置
if (integer==0){
return 0;
}
return 1;
}
HashMap redisValueFour = redisWarningStrategy.get(redisKye+"4");//查看传入的事件类型是否配置策略3(自动结束策略)
if (redisValueOne==null&&redisValueTwo==null&&redisValueThree==null&&redisValueFour!=null){ //执行策略4,执行到这里说明1不存在或者2、3不存在或者1未满足过滤条件
if (dataId==null){//如果不存在直接加入数据库,加入缓存
int insertDcWarning = dcWarningMapper.insertDcWarning(dcWarning);//加入数据库
if (insertDcWarning==0){
return 0;
}
String id = dcWarning.getId();//取出加入后的id作为value
redisCache.setCacheObject(WARNINGDATA+key,id,24,TimeUnit.HOURS);//加入缓存,防止redis数据累计,这里也要设置过期时间,设置为24小时
return 1;//结束
}
//redis存在数据,取出redis的id找对对应事件的配置,合成事件配置
HashMap<String, Object> map = dcWarningMapper.selectDcWarningById(dataId);
if (map==null){//redis中有id但是数据库中没有这条数据,那就删除这条redis数据,新数据加入到数据库,并加入到redis
redisCache.deleteObject(WARNINGDATA+key);
dcWarningMapper.insertDcWarning(dcWarning);
String id = dcWarning.getId();
redisCache.setCacheObject(WARNINGDATA+key,id);
return 1;
}
String otherConfig="";
otherConfig = map.get("otherConfig").toString();//取出原id的配置信息
String otherConfigString = dcWarning.getOtherConfig();//新增的配置信息
JSONObject jsonObjectOne = new JSONObject(otherConfig);
JSONObject jsonObjectTwo = new JSONObject(otherConfigString);
JSONObject jsonObject = new DcWarningServiceImpl().mergeJsonObjects(jsonObjectOne, jsonObjectTwo);//合成新的json
Integer integer = dcWarningMapper.updateOtherConfig(dataId, jsonObject.toString());//修改数据库配置
redisCache.deleteObject(WARNINGDATA + key);//删除redis存储的数据
if (integer==0){
return 0;
}
return 1;
}
return dcWarningMapper.insertDcWarning(dcWarning);//如果没有配置策略直接加入数据库;
} }
@ -170,13 +301,14 @@ public class DcWarningServiceImpl implements IDcWarningService
} }
HashMap redisValueThree = redisWarningStrategy.get(redisKye+"3");//查看传入的事件类型是否配置策略3(时间窗口策略) HashMap redisValueThree = redisWarningStrategy.get(redisKye+"3");//查看传入的事件类型是否配置策略3(时间窗口策略)
if (redisValueOne==null&&redisValueTwo==null&&redisValueThree!=null){ //执行策略3,执行到这里说明1不存在或者2不存在或者1未满足过滤条件 if (redisValueOne==null&&redisValueTwo==null&&redisValueThree!=null){ //执行策略3,执行到这里说明1不存在或者2不存在或者1未满足过滤条件
if (dataId==null){//如果不存在直接加入数据库,加入缓存,配置对应的过期时间(30分钟) String strategyTime = redisValueThree.get("strategyTime").toString();//策略时长
if (dataId==null){//如果不存在直接加入数据库,加入缓存,配置对应的过期时间
int insertDcWarning = dcWarningMapper.insertDcWarning(dcWarning);//加入数据库 int insertDcWarning = dcWarningMapper.insertDcWarning(dcWarning);//加入数据库
if (insertDcWarning==0){ if (insertDcWarning==0){
return 0; return 0;
} }
String id = dcWarning.getId();//取出加入后的id作为value String id = dcWarning.getId();//取出加入后的id作为value
redisCache.setCacheObject(WARNINGDATA+key,id,30,TimeUnit.MINUTES);//加入缓存并设置延迟时间(单位分钟) redisCache.setCacheObject(WARNINGDATA+key,id,Integer.parseInt(strategyTime),TimeUnit.MINUTES);//加入缓存并设置延迟时间(单位分钟)
return 1;//结束 return 1;//结束
} }
//redis存在数据,取出redis的id找对对应事件的配置,合成事件配置 //redis存在数据,取出redis的id找对对应事件的配置,合成事件配置
@ -185,7 +317,7 @@ public class DcWarningServiceImpl implements IDcWarningService
redisCache.deleteObject(WARNINGDATA+key); redisCache.deleteObject(WARNINGDATA+key);
dcWarningMapper.insertDcWarning(dcWarning); dcWarningMapper.insertDcWarning(dcWarning);
String id = dcWarning.getId(); String id = dcWarning.getId();
redisCache.setCacheObject(WARNINGDATA+key,id,30,TimeUnit.MINUTES); redisCache.setCacheObject(WARNINGDATA+key,id,Integer.parseInt(strategyTime),TimeUnit.MINUTES);
return 1; return 1;
} }
String otherConfig=""; String otherConfig="";

369
zc-business/src/main/java/com/zc/business/utils/PoiUtil.java

@ -0,0 +1,369 @@
package com.zc.business.utils;
import com.aliyuncs.utils.IOUtils;
import com.google.common.base.Strings;
import org.apache.poi.openxml4j.opc.OPCPackage;
import org.apache.poi.ss.util.CellRangeAddress;
import org.apache.poi.ss.util.CellReference;
import org.apache.poi.xddf.usermodel.chart.XDDFChartData;
import org.apache.poi.xddf.usermodel.chart.XDDFDataSource;
import org.apache.poi.xddf.usermodel.chart.XDDFDataSourcesFactory;
import org.apache.poi.xddf.usermodel.chart.XDDFNumericalDataSource;
import org.apache.poi.xssf.usermodel.XSSFSheet;
import org.apache.poi.xwpf.usermodel.*;
import org.apache.xmlbeans.XmlOptions;
import org.openxmlformats.schemas.drawingml.x2006.chart.CTPlotArea;
import org.openxmlformats.schemas.wordprocessingml.x2006.main.*;
import org.springframework.util.StringUtils;
import java.io.*;
import java.math.BigInteger;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
/**
* @author : LCheng
* @date : 2020-12-10 10:03
* description : poi工具
*/
public class PoiUtil {
public static int headingCount1 = 1;
public static int headingCount2 = 1;
/**
* 根据word模板导出 针对图表柱状图折线图饼图等的处理
*
* @param docChart 图表对象
* @param title 图表标题
* @param seriesNames 系列名称数组
* @return {@link XWPFChart}
* @author LCheng
* @date 2020/12/10 11:08
*/
public static XWPFChart wordExportChar(XWPFChart docChart, String title, String[] seriesNames, XSSFSheet sheet) {
//获取图表数据对象
XDDFChartData chartData = docChart.getChartSeries().get(0);
//word图表均对应一个内置的excel,用于保存图表对应的数据
//excel中 第一列第二行开始的数据为分类信息
//CellRangeAddress(1, categories.size(), 0, 0) 四个参数依次为 起始行 截止行 起始列 截止列。
//根据分类信息的范围创建分类信息的数据源
XDDFDataSource catDataSource = XDDFDataSourcesFactory.fromStringCellRange(sheet, new CellRangeAddress(1,sheet.getLastRowNum(),0,0));
//更新数据
for (int i = 0; i < seriesNames.length; i++) {
//excel中各系列对应的数据的范围
//根据数据的范围创建值的数据源
XDDFNumericalDataSource<Double> valDataSource = XDDFDataSourcesFactory.fromNumericCellRange(sheet, new CellRangeAddress(1,sheet.getLastRowNum(),i+1,i+1));
//获取图表系列的数据对象
XDDFChartData.Series series = chartData.getSeries().get(i);
//替换系列数据对象中的分类和值
series.replaceData(catDataSource, valDataSource);
//修改系列数据对象中的标题
CellReference cellReference = docChart.setSheetTitle(seriesNames[i], 1);
series.setTitle(seriesNames[i], cellReference);
}
//更新图表数据对象
docChart.plot(chartData);
//图表整体的标题 传空值则不替换标题
if (!Strings.isNullOrEmpty(title)) {
docChart.setTitleText(title);
docChart.setTitleOverlay(false);
}
return docChart;
}
/**
* 合并docx文件
* @param srcDocxs 需要合并的目标docx文件
* @param destDocx 合并后的docx输出文件
*/
public static void mergeDoc(XWPFDocument srcDocxs, XWPFDocument destDocx) {
try {
//获取目标文件的CTDocument1对象
CTDocument1 ctDocument1 = srcDocxs.getDocument();
//获取第一个目标文件的CTBody对象
CTBody src1Body = ctDocument1.getBody();
//获取目标文件中的图表
List<XWPFChart> relations = srcDocxs.getCharts();
//判断是否有图表,没有图表的话,追加到之前的目标文件后面
if (relations.size() <= 0) {
CTBody src2Body = srcDocxs.getDocument().getBody();
//获取目标文件中的图片
List<XWPFPictureData> allPictures = srcDocxs.getAllPictures();
// 记录图片合并前及合并后的ID
Map<String,String> map = new HashMap();
//遍历图片
for (XWPFPictureData picture : allPictures) {
String before = srcDocxs.getRelationId(picture);
//将原文档中的图片加入到目标文档中
String after = destDocx.addPictureData(picture.getData(), Document.PICTURE_TYPE_PNG);
map.put(before, after);
}
//将当前文件的内容追加到之前的目标文件中
appendBody(src1Body, src2Body,map);
}
//遍历图表,
for (XWPFChart chart1 : relations) {
//是否是word中自带图表
if (chart1 instanceof XWPFChart) { // 如果是图表元素
XWPFChart chart = destDocx.createChart(5774310, 3076575);
CTPlotArea plotArea = chart1.getCTChart().getPlotArea();
chart.getCTChart().setPlotArea(plotArea);
chart.getCTChart().setLegend(chart1.getCTChart().getLegend());
}
}
//关闭流
srcDocxs.close();
} catch (Exception e) {
e.printStackTrace();
}
}
/**
* 合并chart
* @param chart 需要合并的目标chart
* @param destDocx 合并后的docx输出文件
*/
public static void mergeChart(XWPFChart chart, XWPFDocument destDocx) {
try {
XWPFChart docxChart = destDocx.createChart(5774310, 3076575);
CTPlotArea plotArea = chart.getCTChart().getPlotArea();
docxChart.getCTChart().setPlotArea(plotArea);
docxChart.getCTChart().setLegend(chart.getCTChart().getLegend());
} catch (Exception e) {
e.printStackTrace();
}
}
/**
* 插入换行符
* @param destDocx 合并后的docx输出文件
*/
public static void createLineBreak(XWPFDocument destDocx) {
try {
XWPFParagraph paragraph = destDocx.createParagraph();
XWPFRun run = paragraph.createRun();
run.addBreak();
} catch (Exception e) {
e.printStackTrace();
}
}
/**
* 合并文档内容
*
* @param src 目标文档
* @param append 要合并的文档
* @throws Exception
*/
private static void appendBody(CTBody src, CTBody append,Map<String,String> map) throws Exception {
XmlOptions optionsOuter = new XmlOptions();
optionsOuter.setSaveOuter();
//获取目标文件的字符内容
String srcString = src.xmlText();
//获取目标文件字符的开头
String prefix = srcString.substring(0, srcString.indexOf(">") + 1);
//获取目标文件字符的内容
String mainPart = srcString.substring(srcString.indexOf(">") + 1,
srcString.lastIndexOf("<"));
//获取目标文件字符的结尾
String sufix = srcString.substring(srcString.lastIndexOf("<"));
//获取需要追加的文件
String appendString = append.xmlText(optionsOuter);
//获取需要追加的文件内容(除去头和尾)
String addPart = appendString.substring(appendString.indexOf(">") + 1,
appendString.lastIndexOf("<"));
if (map != null && !map.isEmpty()) {
//对xml字符串中图片ID进行替换
for (Map.Entry<String, String> set : map.entrySet()) {
addPart = addPart.replace(set.getKey(), set.getValue());
}
}
//将获取到的文件内容合并成为新的CTBody
CTBody makeBody = CTBody.Factory.parse(prefix + mainPart + addPart
+ sufix);
//将新的CTBody重新设置到目标文件中
src.set(makeBody);
}
public static XWPFParagraph createHeading(XWPFDocument doc, String title) {
//段落
XWPFParagraph paragraph = doc.createParagraph();
XWPFRun run = paragraph.createRun();
run.setText(title);
// run.setColor("696969");
run.setFontSize(18);
run.setBold(true);//标题加粗
return paragraph;
}
/**
* 创建标题1
*
* @param doc
* @param title
*/
public static void createHeading1(XWPFDocument doc, String title) {
//段落
XWPFParagraph paragraph = doc.createParagraph();
XWPFRun run = paragraph.createRun();
run.setText(title);
// run.setColor("696969");
run.setFontSize(16);
run.setBold(true);//标题加粗
paragraph.setStyle("Heading1");
}
/**
* 创建标题2
*
* @param doc
* @param title
*/
public static void createHeading2(XWPFDocument doc, String title) {
XWPFParagraph paragraph = doc.createParagraph();
XWPFRun run = paragraph.createRun();
run.setText(title);
run.setFontSize(14);
run.setBold(true);//标题加粗
paragraph.setStyle("Heading2");
}
public static void createTable(XWPFDocument doc) {
XWPFTable table = doc.createTable(3, 3);
//列宽自动分割
CTTblWidth infoTableWidth = table.getCTTbl().addNewTblPr().addNewTblW();
infoTableWidth.setType(STTblWidth.DXA);
infoTableWidth.setW(BigInteger.valueOf(9072));
setTableFonts(table.getRow(0).getCell(0), "编号");
setTableFonts(table.getRow(0).getCell(1), "问题");
setTableFonts(table.getRow(0).getCell(2), "应答");
setTableFonts(table.getRow(1).getCell(0), "1");
setTableFonts(table.getRow(1).getCell(1), "陈述日期");
setTableFonts(table.getRow(1).getCell(2), "2017年02月17日");
setTableFonts(table.getRow(2).getCell(0), "2");
setTableFonts(table.getRow(2).getCell(1), "PICS序列号");
setTableFonts(table.getRow(2).getCell(2), "121313132131");
}
// word跨列合并单元格
public static void mergeCellsHorizontal(XWPFTable table, int row, int fromCell, int toCell) {
for (int cellIndex = fromCell; cellIndex <= toCell; cellIndex++) {
XWPFTableCell cell = table.getRow(row).getCell(cellIndex);
if (cellIndex == fromCell) {
// The first merged cell is set with RESTART merge value
cell.getCTTc().addNewTcPr().addNewHMerge().setVal(STMerge.RESTART);
} else {
// Cells which join (merge) the first one, are set with CONTINUE
cell.getCTTc().addNewTcPr().addNewHMerge().setVal(STMerge.CONTINUE);
}
}
}
// word跨行并单元格
public static void mergeCellsVertically(XWPFTable table, int col, int fromRow, int toRow) {
for (int rowIndex = fromRow; rowIndex <= toRow; rowIndex++) {
XWPFTableCell cell = table.getRow(rowIndex).getCell(col);
if (rowIndex == fromRow) {
// The first merged cell is set with RESTART merge value
cell.getCTTc().addNewTcPr().addNewVMerge().setVal(STMerge.RESTART);
} else {
// Cells which join (merge) the first one, are set with CONTINUE
cell.getCTTc().addNewTcPr().addNewVMerge().setVal(STMerge.CONTINUE);
}
}
}
/**
* 设置表格中字体
*
* @param cell
* @param cellText
*/
public static void setTableFonts(XWPFTableCell cell, String cellText) {
CTP ctp = CTP.Factory.newInstance();
XWPFParagraph p = new XWPFParagraph(ctp, cell);
p.setAlignment(ParagraphAlignment.CENTER);
XWPFRun run = p.createRun();
run.setFontSize(8);
run.setText(cellText);
CTRPr rpr = run.getCTR().isSetRPr() ? run.getCTR().getRPr() : run.getCTR().addNewRPr();
CTFonts fonts = rpr.isSetRFonts() ? rpr.getRFonts() : rpr.addNewRFonts();
fonts.setAscii("仿宋");
fonts.setEastAsia("仿宋");
fonts.setHAnsi("仿宋");
cell.setParagraph(p);
}
/**
* 添加描述信息
*
* @param doc
* @param description
*/
public static void addDescription(XWPFDocument doc, String description) {
if (StringUtils.isEmpty(description)) {
return;
}
XWPFParagraph title = doc.createParagraph();
XWPFRun run = title.createRun();
run.setText(description);
run.setBold(true);
title.setAlignment(ParagraphAlignment.CENTER);
}
/**
* 创建目录
* 创建并插入带超链接的目录
* @param document
*/
public static void insertTOC2(XWPFDocument document) {
// 定义 TOC 字段属性
CTSimpleField tocField = CTSimpleField.Factory.newInstance();
tocField.setInstr("TOC \\h \\z \\t \"Heading1,Heading2\""); // 包含 Heading1 和 Heading2 样式的目录
// 创建包含 TOC 字段的段落
XWPFParagraph tocPara = document.createParagraph();
tocPara.getCTP().addNewFldSimple().set(tocField);
// 更新文档字段以计算目录
document.enforceUpdateFields();
}
/**
* 创建目录
* 创建并插入带超链接的目录
* @param document
*/
public static void insertTOC(XWPFDocument document) {
// 创建目录所在的段落
XWPFParagraph tocPara = document.createParagraph();
// 添加 TOC 域代码
String tocFieldCode = "TOC \\o \"1-3\" \\h \\z \\u";
CTSimpleField tocField = tocPara.getCTP().addNewFldSimple();
tocField.setInstr(tocFieldCode);
tocField.setDirty(STOnOff.TRUE);
}
}

132
zc-business/src/main/resources/mapper/business/DcMeteorologicalDetectorDataMapper.xml

@ -4,59 +4,57 @@ PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
"http://mybatis.org/dtd/mybatis-3-mapper.dtd"> "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.zc.business.mapper.DcMeteorologicalDetectorDataMapper"> <mapper namespace="com.zc.business.mapper.DcMeteorologicalDetectorDataMapper">
<resultMap type="DcMeteorologicalDetectorData" id="DcMeteorologicalDetectorDataResult"> <resultMap type="com.zc.business.domain.DcMeteorologicalDetectorData" id="DcMeteorologicalDetectorDataResult">
<result property="id" column="id" /> <result property="id" column="id" />
<result property="iotDeviceId" column="iot_device_id" /> <result property="iotDeviceId" column="iot_device_id" />
<result property="rainfall" column="rainfall" /> <result property="rainfall" column="rainfall" />
<result property="visibilityType" column="visibility_type" /> <result property="visibilityType" column="visibility_type" />
<result property="visibility" column="visibility" /> <result property="visibility" column="visibility" />
<result property="roadSurfaceStatus" column="road_surface_status" />
<result property="atmosphericPressure" column="atmospheric_pressure" /> <result property="atmosphericPressure" column="atmospheric_pressure" />
<result property="temperature" column="temperature" /> <result property="temperature" column="temperature" />
<result property="humidity" column="humidity" /> <result property="humidity" column="humidity" />
<result property="windDirection" column="wind_direction" /> <result property="windDirection" column="wind_direction" />
<result property="windSpeed" column="wind_speed" /> <result property="windSpeed" column="wind_speed" />
<result property="freezingPointTemperature" column="freezing_point_temperature" />
<result property="salinityValue" column="salinity_value" />
<result property="roadSurfaceTemperature" column="road_surface_temperature" />
<result property="waterFilmThickness" column="water_film_thickness" />
<result property="precipitationType" column="precipitation_type" /> <result property="precipitationType" column="precipitation_type" />
<result property="wetSlipperyCoefficient" column="wet_slippery_coefficient" /> <result property="wetSlipperyCoefficient" column="wet_slippery_coefficient" />
<result property="sensorTemperature" column="sensor_temperature" />
<result property="remoteRoadSurfaceTemperature" column="remote_road_surface_temperature" /> <result property="remoteRoadSurfaceTemperature" column="remote_road_surface_temperature" />
<result property="remoteRoadSurfaceStatus" column="remote_road_surface_status" /> <result property="remoteRoadSurfaceStatus" column="remote_road_surface_status" />
<result property="subSurfaceTemperature" column="sub_surface_temperature" />
<result property="waterFilmIceSnowValue" column="water_film_ice_snow_value" /> <result property="waterFilmIceSnowValue" column="water_film_ice_snow_value" />
<result property="createTime" column="create_time" /> <result property="createTime" column="create_time" />
<result property="deviceName" column="device_name" />
<result property="stakeMark" column="stake_mark" />
<result property="direction" column="direction" />
<result property="deviceState" column="device_state" />
</resultMap>
<resultMap type="map" id="countMap">
<result property="timeSlot" column="time_slot" />
<result property="date" column="date" />
<result property="avgTemperature" column="avg_temperature" />
<result property="avgVisibility" column="avg_visibility" />
</resultMap> </resultMap>
<sql id="selectDcMeteorologicalDetectorDataVo"> <sql id="selectDcMeteorologicalDetectorDataVo">
select id, iot_device_id, rainfall, visibility_type, visibility, road_surface_status, atmospheric_pressure, temperature, humidity, wind_direction, wind_speed, freezing_point_temperature, salinity_value, road_surface_temperature, water_film_thickness, precipitation_type, wet_slippery_coefficient, sensor_temperature, remote_road_surface_temperature, remote_road_surface_status, sub_surface_temperature, water_film_ice_snow_value,create_time from dc_meteorological_detector_data select id, iot_device_id, rainfall, visibility_type, visibility, atmospheric_pressure, temperature, humidity, wind_direction, wind_speed, precipitation_type, wet_slippery_coefficient,remote_road_surface_temperature, remote_road_surface_status, water_film_ice_snow_value,create_time,stake_mark,device_name,direction from dc_meteorological_detector_data
</sql> </sql>
<select id="selectDcMeteorologicalDetectorDataList" parameterType="DcMeteorologicalDetectorData" resultMap="DcMeteorologicalDetectorDataResult"> <select id="selectDcMeteorologicalDetectorDataList" parameterType="com.zc.business.domain.DcMeteorologicalDetectorData" resultMap="DcMeteorologicalDetectorDataResult">
<include refid="selectDcMeteorologicalDetectorDataVo"/> <include refid="selectDcMeteorologicalDetectorDataVo"/>
<where> <where>
<if test="iotDeviceId != null and iotDeviceId != ''"> and iot_device_id = #{iotDeviceId}</if> <if test="iotDeviceId != null and iotDeviceId != ''"> and iot_device_id = #{iotDeviceId}</if>
<if test="direction != null and direction != ''"> and direction = #{direction}</if>
<if test="stakeMark != null and stakeMark != ''"> and stake_mark = #{stakeMark}</if>
<if test="deviceName != null and deviceName != ''"> and device_name = #{deviceName}</if>
<if test="rainfall != null and rainfall != ''"> and rainfall = #{rainfall}</if> <if test="rainfall != null and rainfall != ''"> and rainfall = #{rainfall}</if>
<if test="visibilityType != null and visibilityType != ''"> and visibility_type = #{visibilityType}</if> <if test="visibilityType != null and visibilityType != ''"> and visibility_type = #{visibilityType}</if>
<if test="visibility != null and visibility != ''"> and visibility = #{visibility}</if> <if test="visibility != null and visibility != ''"> and visibility = #{visibility}</if>
<if test="roadSurfaceStatus != null and roadSurfaceStatus != ''"> and road_surface_status = #{roadSurfaceStatus}</if>
<if test="atmosphericPressure != null and atmosphericPressure != ''"> and atmospheric_pressure = #{atmosphericPressure}</if> <if test="atmosphericPressure != null and atmosphericPressure != ''"> and atmospheric_pressure = #{atmosphericPressure}</if>
<if test="temperature != null and temperature != ''"> and temperature = #{temperature}</if> <if test="temperature != null and temperature != ''"> and temperature = #{temperature}</if>
<if test="humidity != null and humidity != ''"> and humidity = #{humidity}</if> <if test="humidity != null and humidity != ''"> and humidity = #{humidity}</if>
<if test="windDirection != null and windDirection != ''"> and wind_direction = #{windDirection}</if> <if test="windDirection != null and windDirection != ''"> and wind_direction = #{windDirection}</if>
<if test="windSpeed != null and windSpeed != ''"> and wind_speed = #{windSpeed}</if> <if test="windSpeed != null and windSpeed != ''"> and wind_speed = #{windSpeed}</if>
<if test="freezingPointTemperature != null and freezingPointTemperature != ''"> and freezing_point_temperature = #{freezingPointTemperature}</if>
<if test="salinityValue != null and salinityValue != ''"> and salinity_value = #{salinityValue}</if>
<if test="roadSurfaceTemperature != null and roadSurfaceTemperature != ''"> and road_surface_temperature = #{roadSurfaceTemperature}</if>
<if test="waterFilmThickness != null and waterFilmThickness != ''"> and water_film_thickness = #{waterFilmThickness}</if>
<if test="precipitationType != null and precipitationType != ''"> and precipitation_type = #{precipitationType}</if> <if test="precipitationType != null and precipitationType != ''"> and precipitation_type = #{precipitationType}</if>
<if test="wetSlipperyCoefficient != null and wetSlipperyCoefficient != ''"> and wet_slippery_coefficient = #{wetSlipperyCoefficient}</if> <if test="wetSlipperyCoefficient != null and wetSlipperyCoefficient != ''"> and wet_slippery_coefficient = #{wetSlipperyCoefficient}</if>
<if test="sensorTemperature != null and sensorTemperature != ''"> and sensor_temperature = #{sensorTemperature}</if>
<if test="remoteRoadSurfaceTemperature != null and remoteRoadSurfaceTemperature != ''"> and remote_road_surface_temperature = #{remoteRoadSurfaceTemperature}</if> <if test="remoteRoadSurfaceTemperature != null and remoteRoadSurfaceTemperature != ''"> and remote_road_surface_temperature = #{remoteRoadSurfaceTemperature}</if>
<if test="remoteRoadSurfaceStatus != null and remoteRoadSurfaceStatus != ''"> and remote_road_surface_status = #{remoteRoadSurfaceStatus}</if> <if test="remoteRoadSurfaceStatus != null and remoteRoadSurfaceStatus != ''"> and remote_road_surface_status = #{remoteRoadSurfaceStatus}</if>
<if test="subSurfaceTemperature != null and subSurfaceTemperature != ''"> and sub_surface_temperature = #{subSurfaceTemperature}</if>
<if test="waterFilmIceSnowValue != null and waterFilmIceSnowValue != ''"> and water_film_ice_snow_value = #{waterFilmIceSnowValue}</if> <if test="waterFilmIceSnowValue != null and waterFilmIceSnowValue != ''"> and water_film_ice_snow_value = #{waterFilmIceSnowValue}</if>
</where> </where>
</select> </select>
@ -66,81 +64,69 @@ PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
where id = #{id} where id = #{id}
</select> </select>
<insert id="insertDcMeteorologicalDetectorData" parameterType="DcMeteorologicalDetectorData" useGeneratedKeys="true" keyProperty="id"> <insert id="insertDcMeteorologicalDetectorData" parameterType="com.zc.business.domain.DcMeteorologicalDetectorData" useGeneratedKeys="true" keyProperty="id">
insert into dc_meteorological_detector_data insert into dc_meteorological_detector_data
<trim prefix="(" suffix=")" suffixOverrides=","> <trim prefix="(" suffix=")" suffixOverrides=",">
<if test="iotDeviceId != null">iot_device_id,</if> <if test="iotDeviceId != null">iot_device_id,</if>
<if test="direction != null">direction,</if>
<if test="stakeMark != null">stake_mark,</if>
<if test="deviceName != null">device_name,</if>
<if test="rainfall != null">rainfall,</if> <if test="rainfall != null">rainfall,</if>
<if test="visibilityType != null">visibility_type,</if> <if test="visibilityType != null">visibility_type,</if>
<if test="visibility != null">visibility,</if> <if test="visibility != null">visibility,</if>
<if test="roadSurfaceStatus != null">road_surface_status,</if>
<if test="atmosphericPressure != null">atmospheric_pressure,</if> <if test="atmosphericPressure != null">atmospheric_pressure,</if>
<if test="temperature != null">temperature,</if> <if test="temperature != null">temperature,</if>
<if test="humidity != null">humidity,</if> <if test="humidity != null">humidity,</if>
<if test="windDirection != null">wind_direction,</if> <if test="windDirection != null">wind_direction,</if>
<if test="windSpeed != null">wind_speed,</if> <if test="windSpeed != null">wind_speed,</if>
<if test="freezingPointTemperature != null">freezing_point_temperature,</if>
<if test="salinityValue != null">salinity_value,</if>
<if test="roadSurfaceTemperature != null">road_surface_temperature,</if>
<if test="waterFilmThickness != null">water_film_thickness,</if>
<if test="precipitationType != null">precipitation_type,</if> <if test="precipitationType != null">precipitation_type,</if>
<if test="wetSlipperyCoefficient != null">wet_slippery_coefficient,</if> <if test="wetSlipperyCoefficient != null">wet_slippery_coefficient,</if>
<if test="sensorTemperature != null">sensor_temperature,</if>
<if test="remoteRoadSurfaceTemperature != null">remote_road_surface_temperature,</if> <if test="remoteRoadSurfaceTemperature != null">remote_road_surface_temperature,</if>
<if test="remoteRoadSurfaceStatus != null">remote_road_surface_status,</if> <if test="remoteRoadSurfaceStatus != null">remote_road_surface_status,</if>
<if test="subSurfaceTemperature != null">sub_surface_temperature,</if>
<if test="waterFilmIceSnowValue != null">water_film_ice_snow_value,</if> <if test="waterFilmIceSnowValue != null">water_film_ice_snow_value,</if>
create_time create_time
</trim> </trim>
<trim prefix="values (" suffix=")" suffixOverrides=","> <trim prefix="values (" suffix=")" suffixOverrides=",">
<if test="iotDeviceId != null">#{iotDeviceId},</if> <if test="iotDeviceId != null">#{iotDeviceId},</if>
<if test="direction != null">#{direction},</if>
<if test="stakeMark != null">#{stakeMark},</if>
<if test="deviceName != null">#{deviceName},</if>
<if test="rainfall != null">#{rainfall},</if> <if test="rainfall != null">#{rainfall},</if>
<if test="visibilityType != null">#{visibilityType},</if> <if test="visibilityType != null">#{visibilityType},</if>
<if test="visibility != null">#{visibility},</if> <if test="visibility != null">#{visibility},</if>
<if test="roadSurfaceStatus != null">#{roadSurfaceStatus},</if>
<if test="atmosphericPressure != null">#{atmosphericPressure},</if> <if test="atmosphericPressure != null">#{atmosphericPressure},</if>
<if test="temperature != null">#{temperature},</if> <if test="temperature != null">#{temperature},</if>
<if test="humidity != null">#{humidity},</if> <if test="humidity != null">#{humidity},</if>
<if test="windDirection != null">#{windDirection},</if> <if test="windDirection != null">#{windDirection},</if>
<if test="windSpeed != null">#{windSpeed},</if> <if test="windSpeed != null">#{windSpeed},</if>
<if test="freezingPointTemperature != null">#{freezingPointTemperature},</if>
<if test="salinityValue != null">#{salinityValue},</if>
<if test="roadSurfaceTemperature != null">#{roadSurfaceTemperature},</if>
<if test="waterFilmThickness != null">#{waterFilmThickness},</if>
<if test="precipitationType != null">#{precipitationType},</if> <if test="precipitationType != null">#{precipitationType},</if>
<if test="wetSlipperyCoefficient != null">#{wetSlipperyCoefficient},</if> <if test="wetSlipperyCoefficient != null">#{wetSlipperyCoefficient},</if>
<if test="sensorTemperature != null">#{sensorTemperature},</if>
<if test="remoteRoadSurfaceTemperature != null">#{remoteRoadSurfaceTemperature},</if> <if test="remoteRoadSurfaceTemperature != null">#{remoteRoadSurfaceTemperature},</if>
<if test="remoteRoadSurfaceStatus != null">#{remoteRoadSurfaceStatus},</if> <if test="remoteRoadSurfaceStatus != null">#{remoteRoadSurfaceStatus},</if>
<if test="subSurfaceTemperature != null">#{subSurfaceTemperature},</if>
<if test="waterFilmIceSnowValue != null">#{waterFilmIceSnowValue},</if> <if test="waterFilmIceSnowValue != null">#{waterFilmIceSnowValue},</if>
current_date CURRENT_TIMESTAMP
</trim> </trim>
</insert> </insert>
<update id="updateDcMeteorologicalDetectorData" parameterType="DcMeteorologicalDetectorData"> <update id="updateDcMeteorologicalDetectorData" parameterType="com.zc.business.domain.DcMeteorologicalDetectorData">
update dc_meteorological_detector_data update dc_meteorological_detector_data
<trim prefix="SET" suffixOverrides=","> <trim prefix="SET" suffixOverrides=",">
<if test="iotDeviceId != null">iot_device_id = #{iotDeviceId},</if> <if test="iotDeviceId != null">iot_device_id = #{iotDeviceId},</if>
<if test="direction != null">iot_device_id = #{direction},</if>
<if test="deviceName != null">device_name = #{deviceName},</if>
<if test="stakeMark != null">stake_mark = #{stakeMark},</if>
<if test="rainfall != null">rainfall = #{rainfall},</if> <if test="rainfall != null">rainfall = #{rainfall},</if>
<if test="visibilityType != null">visibility_type = #{visibilityType},</if> <if test="visibilityType != null">visibility_type = #{visibilityType},</if>
<if test="visibility != null">visibility = #{visibility},</if> <if test="visibility != null">visibility = #{visibility},</if>
<if test="roadSurfaceStatus != null">road_surface_status = #{roadSurfaceStatus},</if>
<if test="atmosphericPressure != null">atmospheric_pressure = #{atmosphericPressure},</if> <if test="atmosphericPressure != null">atmospheric_pressure = #{atmosphericPressure},</if>
<if test="temperature != null">temperature = #{temperature},</if> <if test="temperature != null">temperature = #{temperature},</if>
<if test="humidity != null">humidity = #{humidity},</if> <if test="humidity != null">humidity = #{humidity},</if>
<if test="windDirection != null">wind_direction = #{windDirection},</if> <if test="windDirection != null">wind_direction = #{windDirection},</if>
<if test="windSpeed != null">wind_speed = #{windSpeed},</if> <if test="windSpeed != null">wind_speed = #{windSpeed},</if>
<if test="freezingPointTemperature != null">freezing_point_temperature = #{freezingPointTemperature},</if>
<if test="salinityValue != null">salinity_value = #{salinityValue},</if>
<if test="roadSurfaceTemperature != null">road_surface_temperature = #{roadSurfaceTemperature},</if>
<if test="waterFilmThickness != null">water_film_thickness = #{waterFilmThickness},</if>
<if test="precipitationType != null">precipitation_type = #{precipitationType},</if> <if test="precipitationType != null">precipitation_type = #{precipitationType},</if>
<if test="wetSlipperyCoefficient != null">wet_slippery_coefficient = #{wetSlipperyCoefficient},</if> <if test="wetSlipperyCoefficient != null">wet_slippery_coefficient = #{wetSlipperyCoefficient},</if>
<if test="sensorTemperature != null">sensor_temperature = #{sensorTemperature},</if>
<if test="remoteRoadSurfaceTemperature != null">remote_road_surface_temperature = #{remoteRoadSurfaceTemperature},</if> <if test="remoteRoadSurfaceTemperature != null">remote_road_surface_temperature = #{remoteRoadSurfaceTemperature},</if>
<if test="remoteRoadSurfaceStatus != null">remote_road_surface_status = #{remoteRoadSurfaceStatus},</if> <if test="remoteRoadSurfaceStatus != null">remote_road_surface_status = #{remoteRoadSurfaceStatus},</if>
<if test="subSurfaceTemperature != null">sub_surface_temperature = #{subSurfaceTemperature},</if>
<if test="waterFilmIceSnowValue != null">water_film_ice_snow_value = #{waterFilmIceSnowValue},</if> <if test="waterFilmIceSnowValue != null">water_film_ice_snow_value = #{waterFilmIceSnowValue},</if>
</trim> </trim>
where id = #{id} where id = #{id}
@ -156,4 +142,66 @@ PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
#{id} #{id}
</foreach> </foreach>
</delete> </delete>
<select id="selectStatistics" resultMap="countMap" resultType="map">
SELECT
h.time_slot,
DATE(dc.create_time) AS date,
COALESCE(ROUND(AVG(dc.temperature), 2), 0) AS avg_temperature,
COALESCE(ROUND(AVG(dc.visibility), 2), 0) AS avg_visibility
FROM
(
SELECT 0 AS time_slot UNION ALL SELECT 1 UNION ALL SELECT 2 UNION ALL SELECT 3 UNION ALL SELECT 4
UNION ALL SELECT 5 UNION ALL SELECT 6 UNION ALL SELECT 7 UNION ALL SELECT 8 UNION ALL SELECT 9
UNION ALL SELECT 10 UNION ALL SELECT 11 UNION ALL SELECT 12 UNION ALL SELECT 13
UNION ALL SELECT 14 UNION ALL SELECT 15 UNION ALL SELECT 16 UNION ALL SELECT 17
UNION ALL SELECT 18 UNION ALL SELECT 19 UNION ALL SELECT 20 UNION ALL SELECT 21
UNION ALL SELECT 22 UNION ALL SELECT 23
) AS h
LEFT JOIN
dc_meteorological_detector_data dc
ON
DATE(dc.create_time) = CURDATE()
AND HOUR(dc.create_time) = h.time_slot
AND dc.device_name = #{deviceName}
GROUP BY
h.time_slot,
date;
</select>
<select id="selectlistAll" parameterType="com.zc.business.domain.DcMeteorologicalDetectorData" resultMap="DcMeteorologicalDetectorDataResult">
SELECT
d.iot_device_id,
d.stake_mark,
d.direction,
d.device_name,
d.device_state,
lm.create_time AS latest_create_time,
lm.rainfall,
lm.visibility_type,
lm.visibility,
lm.atmospheric_pressure,
lm.temperature,
lm.humidity,
lm.wind_direction,
lm.wind_speed,
lm.precipitation_type,
lm.wet_slippery_coefficient,
lm.remote_road_surface_temperature,
lm.remote_road_surface_status,
lm.water_film_ice_snow_value
FROM
dc_device d
LEFT JOIN
dc_meteorological_detector_data lm
ON
d.iot_device_id = lm.iot_device_id
AND lm.id IN (
SELECT MAX(id)
FROM dc_meteorological_detector_data
WHERE iot_device_id = d.iot_device_id
)
WHERE
d.device_type = 3;
</select>
</mapper> </mapper>

5
zc-business/src/main/resources/mapper/business/DcPerceivedEventsWarningMapper.xml

@ -38,7 +38,8 @@
left JOIN dc_stake_mark AS mark ON mark.stake_mark=warning.stake_mark and mark.direction=warning.direction left JOIN dc_stake_mark AS mark ON mark.stake_mark=warning.stake_mark and mark.direction=warning.direction
left join dc_facility as facility on facility.stake_mark=warning.stake_mark left join dc_facility as facility on facility.stake_mark=warning.stake_mark
<where> <where>
warning.warning_source !=6 <if test="warningSource == null || warningSource == ''"> and warning.warning_source !=6</if>
<if test="warningSource != null and warningSource != ''"> and warning.warning_source = #{warningSource}</if>
<if test="warningState != null and warningState != ''"> and warning.warning_state = #{warningState}</if> <if test="warningState != null and warningState != ''"> and warning.warning_state = #{warningState}</if>
<if test="warningType != null and warningType != ''"> and warning.warning_type = #{warningType}</if> <if test="warningType != null and warningType != ''"> and warning.warning_type = #{warningType}</if>
<if test="warningSubclass != null and warningSubclass != ''"> and warning.warning_subclass = #{warningSubclass}</if> <if test="warningSubclass != null and warningSubclass != ''"> and warning.warning_subclass = #{warningSubclass}</if>
@ -451,7 +452,7 @@
SELECT '2-1' AS warning_subclass, '行人' AS subclass UNION ALL SELECT '2-1' AS warning_subclass, '行人' AS subclass UNION ALL
SELECT '6-4' AS warning_subclass, '抛洒物' AS subclass UNION ALL SELECT '6-4' AS warning_subclass, '抛洒物' AS subclass UNION ALL
SELECT '5-6' AS warning_subclass, '变道' AS subclass UNION ALL SELECT '5-6' AS warning_subclass, '变道' AS subclass UNION ALL
SELECT '99-1' AS warning_subclass, '机占非' AS subclass UNION ALL SELECT '99-1' AS warning_subclass, '其它' AS subclass UNION ALL
SELECT '6-3' AS warning_subclass, '路障' AS subclass UNION ALL SELECT '6-3' AS warning_subclass, '路障' AS subclass UNION ALL
SELECT '7-1' AS warning_subclass, '施工' AS subclass UNION ALL SELECT '7-1' AS warning_subclass, '施工' AS subclass UNION ALL
SELECT '4-10' AS warning_subclass, '停车' AS subclass UNION ALL SELECT '4-10' AS warning_subclass, '停车' AS subclass UNION ALL

41
zc-business/src/main/resources/mapper/business/DcStakeMarkMapper.xml

@ -0,0 +1,41 @@
<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE mapper
PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
"http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.zc.business.mapper.DcStakeMarkMapper">
<insert id="batchInsert" parameterType="List">
<foreach collection ="list" item="dcStakeMark" index= "index" separator =";">
insert into dc_stake_mark
<trim prefix="(" suffix=")" suffixOverrides=",">
<if test="dcStakeMark.stakeMark != null">stake_mark,</if>
<if test="dcStakeMark.longitude != null">longitude,</if>
<if test="dcStakeMark.latitude != null">latitude,</if>
<if test="dcStakeMark.direction != null">direction,</if>
<if test="dcStakeMark.sectionId != null">section_id,</if>
<if test="dcStakeMark.mileage != null">mileage,</if>
create_time,
</trim>
<trim prefix="values (" suffix=")" suffixOverrides=",">
<if test="dcStakeMark.stakeMark != null">#{dcStakeMark.stakeMark},</if>
<if test="dcStakeMark.longitude != null">#{dcStakeMark.longitude},</if>
<if test="dcStakeMark.latitude != null">#{dcStakeMark.latitude},</if>
<if test="dcStakeMark.direction != null">#{dcStakeMark.direction},</if>
<if test="dcStakeMark.sectionId != null">#{dcStakeMark.sectionId},</if>
<if test="dcStakeMark.mileage != null">#{dcStakeMark.mileage},</if>
now(),
</trim>
ON DUPLICATE KEY UPDATE
<trim suffixOverrides=",">
<if test="dcStakeMark.stakeMark != null">stake_mark = #{dcStakeMark.stakeMark},</if>
<if test="dcStakeMark.longitude != null">longitude = #{dcStakeMark.longitude},</if>
<if test="dcStakeMark.latitude != null">latitude = #{dcStakeMark.latitude},</if>
<if test="dcStakeMark.direction != null">direction = #{dcStakeMark.direction},</if>
<if test="dcStakeMark.sectionId != null">section_id = #{dcStakeMark.sectionId},</if>
<if test="dcStakeMark.mileage != null">mileage = #{dcStakeMark.mileage},</if>
update_time = now(),
</trim>
</foreach>
</insert>
</mapper>

229
zc-business/src/main/resources/mapper/business/DcTrafficIncidentsMapper.xml

@ -398,4 +398,233 @@
group by event_subclass) t3 on t1.eventSubclass = t3.event_subclass group by event_subclass) t3 on t1.eventSubclass = t3.event_subclass
</select> </select>
<select id="selectTrafficControlAnalysis" resultType="java.util.Map">
select t1.controlCause,t1.controlCauseName,IFNULL(t2.facilityClose,0) facilityClose,
IFNULL(t2.facilityRestriction,0) facilityRestriction,IFNULL(t2.facilityInterval,0) facilityInterval
from
(select '1' controlCause,'车流量大' controlCauseName
union all select '2' controlCause,'交通事故' controlCauseName
union all select '3' controlCause,'恶劣天气' controlCauseName
union all select '4' controlCause,'施工' controlCauseName
union all select '5' controlCause,'警备任务' controlCauseName
union all select '6' controlCause,'其他' controlCauseName
) t1
left join
(select
t2.control_cause,
SUM(case when t2.classify = '6' then 1 else 0 end) facilityClose,
SUM(case when t2.classify = '7' then 1 else 0 end) facilityRestriction,
SUM(case when t2.classify = '9' then 1 else 0 end) facilityInterval
from dc_event t1
LEFT JOIN dc_event_traffic_control t2 on t1.id = t2.id
where
t1.event_type = '3'
and date_format(t1.start_time,'%Y-%m-%d %H:%i:%s') &lt;= date_format(#{endTime},'%Y-%m-%d %H:%i:%s')
and (date_format(t1.end_time,'%Y-%m-%d %H:%i:%s') > date_format(#{startTime},'%Y-%m-%d %H:%i:%s') or ISNULL(t1.end_time))
and t2.classify in ('6','7','9')
GROUP BY t2.control_cause) t2
on t1.controlCause = t2.control_cause
</select>
<select id="selectTrafficAccidentAnalysis" resultType="java.util.Map">
select t1.eventStateLabel,IFNULL(t2.num,0) num
from
(select '0' eventState,'待确认' eventStateLabel
union all select '1' eventState,'处理中' eventStateLabel
union all select '2' eventState,'已完成' eventStateLabel) t1
left join
(select event_state,count(*) num from dc_event
where event_type = '1' and date_format(start_time,'%y%m') = date_format(now(),'%y%m')
group by event_state) t2
on t1.eventState = t2.event_state
</select>
<select id="selectTrafficControlReasons" resultType="java.util.Map">
select t3.control_cause controlCause,t3.cause_type causeType,controlCauseName,causeTypeName,IFNULL(t4.num,0) num
from
(select 1 control_cause,'' cause_type,'车流量大' controlCauseName,'车流量大' causeTypeName
UNION ALL select 2 control_cause,'' cause_type,'交通事故' controlCauseName,'交通事故' causeTypeName
UNION ALL select 3 control_cause,'3-1' cause_type,'恶劣天气' controlCauseName,'雨' causeTypeName
UNION ALL select 3 control_cause,'3-2' cause_type,'恶劣天气' controlCauseName,'雪' causeTypeName
UNION ALL select 3 control_cause,'3-3' cause_type,'恶劣天气' controlCauseName,'雾' causeTypeName
UNION ALL select 3 control_cause,'3-4' cause_type,'恶劣天气' controlCauseName,'道路积水' causeTypeName
UNION ALL select 3 control_cause,'3-5' cause_type,'恶劣天气' controlCauseName,'道路湿滑' causeTypeName
UNION ALL select 3 control_cause,'3-6' cause_type,'恶劣天气' controlCauseName,'道路结冰' causeTypeName
UNION ALL select 3 control_cause,'3-7' cause_type,'恶劣天气' controlCauseName,'沙尘暴' causeTypeName
UNION ALL select 4 control_cause,'' cause_type,'施工' controlCauseName,'施工' causeTypeName
UNION ALL select 5 control_cause,'' cause_type,'警备任务' controlCauseName,'警备任务' causeTypeName
UNION ALL select 6 control_cause,'' cause_type,'其他' controlCauseName,'其他' causeTypeName) t3
LEFT JOIN
(select t2.control_type,t2.control_cause,t2.cause_type,count(*) num
from dc_event t1 LEFT JOIN dc_event_traffic_control t2 on t1.id = t2.id
where
t1.event_type = '3' and t1.event_subclass = '3-2' and t2.control_type = #{controlType}
and date_format(t1.start_time,'%Y-%m-%d %H:%i:%s') &lt;= date_format(#{endTime},'%Y-%m-%d %H:%i:%s')
and (date_format(t1.end_time,'%Y-%m-%d %H:%i:%s') > date_format(#{startTime},'%Y-%m-%d %H:%i:%s') or ISNULL(t1.end_time))
GROUP BY t2.control_cause,t2.cause_type) t4
on t3.control_cause = t4.control_cause and t3.cause_type = t4.cause_type
ORDER BY t3.control_cause, t3.cause_type
</select>
<select id="selectClosedQuantity" resultType="java.util.Map">
SELECT CONCAT(t1.hours,'时') hours, ifnull(t2.num, 0) num
FROM
(SELECT 0 hours
UNION ALL SELECT 1 hours
UNION ALL SELECT 2 hours
UNION ALL SELECT 3 hours
UNION ALL SELECT 4 hours
UNION ALL SELECT 5 hours
UNION ALL SELECT 6 hours
UNION ALL SELECT 7 hours
UNION ALL SELECT 8 hours
UNION ALL SELECT 9 hours
UNION ALL SELECT 10 hours
UNION ALL SELECT 11 hours
UNION ALL SELECT 12 hours
UNION ALL SELECT 13 hours
UNION ALL SELECT 14 hours
UNION ALL SELECT 15 hours
UNION ALL SELECT 16 hours
UNION ALL SELECT 17 hours
UNION ALL SELECT 18 hours
UNION ALL SELECT 19 hours
UNION ALL SELECT 20 hours
UNION ALL SELECT 21 hours
UNION ALL SELECT 22 hours
UNION ALL SELECT 23 hours
) t1
LEFT JOIN
(SELECT
hour(create_time) hours,count(*) num
FROM dc_event
WHERE date_format(create_time, '%Y%m%d') = date_format(now(), '%Y%m%d')
and event_type = '3' and event_subclass = '3-2'
GROUP BY date_format(create_time, '%Y%m%d %H'), hours) t2
ON t1.hours = t2.hours;
</select>
<select id="selectAccidentTypeStatistics" resultType="java.util.Map">
select t1.eventSubclass,t1.eventSubclassName,IFNULL(t2.num,0) num
from
(select '1-1' eventSubclass, '追尾' eventSubclassName
UNION ALL select '1-2' eventSubclass, '侧翻' eventSubclassName
UNION ALL select '1-3' eventSubclass, '撞护栏' eventSubclassName
UNION ALL select '1-4' eventSubclass, '自燃' eventSubclassName
UNION ALL select '1-5' eventSubclass, '其他事故' eventSubclassName) t1
LEFT JOIN
(select event_subclass, count(*) num
from dc_event
where event_type = '1'
and DATE_FORMAT(start_time,'%Y%m') = DATE_FORMAT(now(),'%Y%m')
group by event_subclass) t2
on t1.eventSubclass = t2.event_subclass
</select>
<select id="selectTrafficAccidents" resultType="java.util.Map">
SELECT CONCAT(t1.hours,'时') hours, ifnull(t2.num, 0) num
FROM
(SELECT 0 hours
UNION ALL SELECT 1 hours
UNION ALL SELECT 2 hours
UNION ALL SELECT 3 hours
UNION ALL SELECT 4 hours
UNION ALL SELECT 5 hours
UNION ALL SELECT 6 hours
UNION ALL SELECT 7 hours
UNION ALL SELECT 8 hours
UNION ALL SELECT 9 hours
UNION ALL SELECT 10 hours
UNION ALL SELECT 11 hours
UNION ALL SELECT 12 hours
UNION ALL SELECT 13 hours
UNION ALL SELECT 14 hours
UNION ALL SELECT 15 hours
UNION ALL SELECT 16 hours
UNION ALL SELECT 17 hours
UNION ALL SELECT 18 hours
UNION ALL SELECT 19 hours
UNION ALL SELECT 20 hours
UNION ALL SELECT 21 hours
UNION ALL SELECT 22 hours
UNION ALL SELECT 23 hours
) t1
LEFT JOIN
(SELECT
hour(create_time) hours,count(*) num
FROM dc_event
WHERE date_format(create_time, '%Y%m%d') = date_format(now(), '%Y%m%d')
and event_type = '1'
GROUP BY date_format(create_time, '%Y%m%d %H'), hours) t2
ON t1.hours = t2.hours;
</select>
<select id="selectCongestionLocation" resultType="java.util.Map">
select t1.eventSubclass,t1.eventSubclassLabel,IFNULL(t2.num,0) num
from
(select '4-1' eventSubclass,'道路拥堵' eventSubclassLabel
union all select '4-2' eventSubclass,'立交拥堵' eventSubclassLabel
union all select '4-3' eventSubclass,'收费站拥堵' eventSubclassLabel
union all select '4-4' eventSubclass,'服务区拥堵' eventSubclassLabel) t1
left join
(select event_type,event_subclass,count(*) num
from dc_event
where event_type = '4' and DATE_FORMAT(occurrence_time,'%Y%m') = DATE_FORMAT(now(),'%Y%m')
GROUP BY event_subclass
) t2
on t1.eventSubclass = t2.event_subclass
</select>
<select id="selectCongestionDuration" resultType="java.util.Map">
select
IFNULL(
sum(
case when date_format(#{startTime},'%Y-%m-%d %H:%i:%s') >= date_format(start_time,'%Y-%m-%d %H:%i:%s')
and (DATE_FORMAT(end_time,'%Y-%m-%d %H:%i:%s') >= DATE_FORMAT(#{endTime},'%Y-%m-%d %H:%i:%s') or ISNULL(end_time))
then TIMESTAMPDIFF(MINUTE,start_time,now())
when date_format(#{startTime},'%Y-%m-%d %H:%i:%s') >= date_format(start_time,'%Y-%m-%d %H:%i:%s')
and DATE_FORMAT(end_time,'%Y-%m-%d %H:%i:%s') &lt;= DATE_FORMAT(#{endTime},'%Y-%m-%d %H:%i:%s')
then TIMESTAMPDIFF(MINUTE,#{startTime},end_time)
when date_format(#{startTime},'%Y-%m-%d %H:%i:%s') &lt;= date_format(start_time,'%Y-%m-%d %H:%i:%s')
and (DATE_FORMAT(end_time,'%Y-%m-%d %H:%i:%s') >= DATE_FORMAT(#{endTime},'%Y-%m-%d %H:%i:%s') or ISNULL(end_time))
then TIMESTAMPDIFF(MINUTE,start_time,#{endTime})
when date_format(#{startTime},'%Y-%m-%d %H:%i:%s') &lt;= date_format(start_time,'%Y-%m-%d %H:%i:%s')
and DATE_FORMAT(end_time,'%Y-%m-%d %H:%i:%s') &lt;= DATE_FORMAT(#{endTime},'%Y-%m-%d %H:%i:%s')
then TIMESTAMPDIFF(MINUTE,start_time,end_time)
else 0 end
)
,0) minuteTime
from dc_event
where
event_type = '4' and date_format(start_time,'%Y-%m-%d %H:%i:%s') &lt;= date_format(#{endTime},'%Y-%m-%d %H:%i:%s')
and (date_format(end_time,'%Y-%m-%d %H:%i:%s') > date_format(#{startTime},'%Y-%m-%d %H:%i:%s') or ISNULL(end_time))
</select>
<select id="selectCongestionMileage" resultType="java.util.Map">
select t3.mileageType,IFNULL(t4.num,0) num
from
(select '0-2公里' mileageType
union all select '2-5公里' mileageType
union all select '5-8公里' mileageType
union all select '8-10公里' mileageType
union all select '10公里以上' mileageType) t3
left join
(select
case when t2.congestion_mileage &lt; 2 then '0-2公里'
when t2.congestion_mileage >= 2 and t2.congestion_mileage &lt; 5 then '2-5公里'
when t2.congestion_mileage >= 5 and t2.congestion_mileage &lt; 8 then '5-8公里'
when t2.congestion_mileage >= 8 and t2.congestion_mileage &lt; 10 then '8-10公里'
when t2.congestion_mileage >= 10 then '10公里以上'
else '' end mileageType,count(*) num
from dc_event t1
left join dc_event_traffic_congestion t2 on t1.id = t2.id
WHERE t1.event_type = '4' and DATE_FORMAT(t1.create_time,'%Y%m') = DATE_FORMAT(now(),'%Y%m')
GROUP BY mileageType
) t4
on t3.mileageType = t4.mileageType
</select>
</mapper> </mapper>

30
zc-business/src/main/resources/mapper/business/DcWarningMapper.xml

@ -70,15 +70,35 @@ PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
</select> </select>
<select id="export" resultType="com.zc.business.domain.DcWarning"> <select id="export" resultType="com.zc.business.domain.DcWarning">
SELECT warning.`id`,warning.`stake_mark`, warning.`direction`,warning.end_time,warning.event_cause, SELECT warning.`id`,warning.`stake_mark`, warning.`direction`,warning.end_time,warning.event_cause,
mark.longitude,mark.latitude,warning.lane,warning.vehicle_type, warning.lane,warning.vehicle_type,mark.longitude,mark.latitude,
warning.`dept_id`,warning.`warning_state`,warning.`warning_time`, warning.`dept_id`,warning.`warning_state`,warning.`warning_time`,
warning.`user_id`, warning.`warning_source`,warning.`warning_level`, warning.`user_id`, warning.`warning_source`,warning.`warning_level`,
warning.`remark`, warning.`create_time`,warning.`update_time`, warning.`remark`, warning.`create_time`,warning.`update_time`,
warning.`warning_type`,warning.`warning_subclass`,warning.`warning_title`, warning.`warning_type`,warning.`warning_subclass`,warning.`warning_title`,
warning.`other_config` FROM dc_warning AS warning warning.`other_config` FROM dc_warning AS warning
LEFT JOIN dc_stake_mark AS mark ON mark.stake_mark=warning.stake_mark LEFT JOIN dc_stake_mark AS mark ON mark.stake_mark=warning.stake_mark and warning.direction =mark.direction
where warning.warning_source !=6 <where>
<if test="warningSource == null || warningSource == ''">and warning.warning_source !=6</if>
<if test="warningSource != null and warningSource != ''">and warning.warning_source = #{warningSource}</if>
<if test="warningState != null and warningState != ''">and warning.warning_state = #{warningState}</if>
<if test="warningType != null and warningType != ''">and warning.warning_type = #{warningType}</if>
<if test="warningSubclass != null and warningSubclass != ''">and warning.warning_subclass =
#{warningSubclass}
</if>
<if test="direction != null and direction != ''">and warning.direction = #{direction}</if>
<if test="stakeMark != null and stakeMark != ''">and warning.stake_mark = #{stakeMark}</if>
<if test="startTime != null and completeTime != null ">
and warning.warning_time between #{startTime} and #{completeTime}
</if>
<if test="startStakeMark != null and startStakeMark != ''">
and CAST(SUBSTRING(SUBSTRING_INDEX(warning.stake_mark,'+',1),2)AS UNSIGNED)*1000
+CAST(SUBSTRING_INDEX(warning.stake_mark, '+', -1) AS UNSIGNED)&gt;#{startStakeMark}
</if>
<if test=" endStakeMark != null and endStakeMark != '' ">
and CAST(SUBSTRING(SUBSTRING_INDEX(warning.stake_mark,'+',1),2)AS UNSIGNED)*1000
+CAST(SUBSTRING_INDEX(warning.stake_mark, '+', -1) AS UNSIGNED)&lt;#{endStakeMark}
</if>
</where>
</select> </select>
<insert id="insertDcWarning" parameterType="DcWarning" useGeneratedKeys="true" keyProperty="id"> <insert id="insertDcWarning" parameterType="DcWarning" useGeneratedKeys="true" keyProperty="id">
@ -162,7 +182,7 @@ PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
</update> </update>
<update id="updateOtherConfig"> <update id="updateOtherConfig">
update dc_warning set other_config=#{otherConfig} where id=#{id} update dc_warning set other_config=#{otherConfig},update_time=now() where id=#{id}
</update> </update>
<delete id="deleteDcWarningById" parameterType="Integer"> <delete id="deleteDcWarningById" parameterType="Integer">

6
zc-business/src/main/resources/mapper/business/StatusMapper.xml

@ -96,9 +96,9 @@
ELSE '双向' ELSE '双向'
END AS direction, END AS direction,
CASE CASE
WHEN s.device_status = 1 THEN '正常' WHEN s.device_status = 1 THEN '在线'
WHEN s.device_status = 0 THEN '异常' WHEN s.device_status = 0 THEN '离线'
ELSE '双向' ELSE '设备未接入'
END AS device_status END AS device_status
from dc_device d from dc_device d
LEFT JOIN status s on (s.device_id = d.id) LEFT JOIN status s on (s.device_id = d.id)

BIN
zc-business/src/main/resources/wordTemplate/chartTemplate.docx

Binary file not shown.

BIN
zc-business/src/main/resources/wordTemplate/chartTemplate2.docx

Binary file not shown.

BIN
zc-business/src/main/resources/wordTemplate/wordTemplate.docx

Binary file not shown.
Loading…
Cancel
Save