Browse Source

签到管理

huwhois 5 years ago
parent
commit
2c890121c7

+ 6 - 0
pom.xml

@ -247,6 +247,12 @@
247 247
            <artifactId>thumbnailator</artifactId>
248 248
            <version>0.4.8</version>
249 249
        </dependency>
250
		<!--添加导入/出表格依赖--> 
251
		<dependency> 
252
			<groupId>org.apache.poi</groupId> 
253
				<artifactId>poi-ooxml</artifactId> 
254
			<version>3.9</version> 
255
		</dependency>
250 256
	</dependencies>
251 257
252 258
	<build>

+ 152 - 0
src/main/java/io/renren/common/utils/ExcelUtils.java

@ -0,0 +1,152 @@
1
package io.renren.common.utils;
2
3
import javax.servlet.http.HttpServletResponse;
4
import java.awt.*;
5
import java.io.OutputStream;
6
import java.util.List;
7
8
import org.apache.poi.ss.usermodel.*;
9
import org.apache.poi.ss.usermodel.Font;
10
import org.apache.poi.xssf.usermodel.XSSFCellStyle;
11
import org.apache.poi.xssf.usermodel.XSSFColor;
12
import org.apache.poi.xssf.usermodel.XSSFSheet;
13
import org.apache.poi.xssf.usermodel.XSSFWorkbook;
14
import org.apache.poi.xssf.usermodel.extensions.XSSFCellBorder.BorderSide;
15
16
import io.renren.modules.admin.entity.ExcelEntity;
17
18
import java.awt.Color;
19
import java.net.URLEncoder;
20
21
public class ExcelUtils {
22
    public static void exportExcel(HttpServletResponse response, String fileName, ExcelEntity data) throws Exception {
23
        // 告诉浏览器用什么软件可以打开此文件
24
        response.setHeader("content-Type", "application/vnd.ms-excel");
25
        // 下载文件的默认名称
26
        response.setHeader("Content-Disposition", "attachment;filename="+URLEncoder.encode(fileName, "utf-8"));
27
        exportExcel(data, response.getOutputStream());
28
    }
29
30
    public static void exportExcel(ExcelEntity data, OutputStream out) throws Exception {
31
32
        XSSFWorkbook wb = new XSSFWorkbook();
33
        try {
34
            String sheetName = data.getName();
35
            if (null == sheetName) {
36
                sheetName = "Sheet1";
37
            }
38
            XSSFSheet sheet = wb.createSheet(sheetName);
39
            writeExcel(wb, sheet, data);
40
41
            wb.write(out);
42
        } catch(Exception e){
43
            e.printStackTrace();
44
        }finally{
45
            //此处需要关闭 wb 变量
46
            out.close();
47
        }
48
    }
49
50
    private static void writeExcel(XSSFWorkbook wb, Sheet sheet, ExcelEntity data) {
51
52
        int rowIndex = 0;
53
54
        rowIndex = writeTitlesToExcel(wb, sheet, data.getTitles());
55
        writeRowsToExcel(wb, sheet, data.getRows(), rowIndex);
56
        autoSizeColumns(sheet, data.getTitles().size() + 1);
57
58
    }
59
60
    private static int writeTitlesToExcel(XSSFWorkbook wb, Sheet sheet, List<String> titles) {
61
        int rowIndex = 0;
62
        int colIndex = 0;
63
64
        Font titleFont = wb.createFont();
65
        titleFont.setFontName("simsun");
66
        //titleFont.setBoldweight(Short.MAX_VALUE);
67
        // titleFont.setFontHeightInPoints((short) 14);
68
        titleFont.setColor(IndexedColors.BLACK.index);
69
70
        XSSFCellStyle titleStyle = wb.createCellStyle();
71
        titleStyle.setAlignment(XSSFCellStyle.ALIGN_CENTER);
72
        titleStyle.setVerticalAlignment(XSSFCellStyle.VERTICAL_CENTER);
73
        titleStyle.setFillForegroundColor(new XSSFColor(new Color(182, 184, 192)));
74
        titleStyle.setFillPattern(XSSFCellStyle.SOLID_FOREGROUND);
75
        titleStyle.setFont(titleFont);
76
        setBorder(titleStyle, BorderStyle.THIN, new XSSFColor(new Color(0, 0, 0)));
77
78
        Row titleRow = sheet.createRow(rowIndex);
79
        // titleRow.setHeightInPoints(25);
80
        colIndex = 0;
81
82
        for (String field : titles) {
83
            Cell cell = titleRow.createCell(colIndex);
84
            cell.setCellValue(field);
85
            cell.setCellStyle(titleStyle);
86
            colIndex++;
87
        }
88
89
        rowIndex++;
90
        return rowIndex;
91
    }
92
93
    private static int writeRowsToExcel(XSSFWorkbook wb, Sheet sheet, List<List<Object>> rows, int rowIndex) {
94
        int colIndex = 0;
95
96
        Font dataFont = wb.createFont();
97
        dataFont.setFontName("simsun");
98
        // dataFont.setFontHeightInPoints((short) 14);
99
        dataFont.setColor(IndexedColors.BLACK.index);
100
101
        XSSFCellStyle dataStyle = wb.createCellStyle();
102
        dataStyle.setAlignment(XSSFCellStyle.ALIGN_CENTER);
103
        dataStyle.setVerticalAlignment(XSSFCellStyle.VERTICAL_CENTER);
104
        dataStyle.setFont(dataFont);
105
        setBorder(dataStyle, BorderStyle.THIN, new XSSFColor(new Color(0, 0, 0)));
106
107
        for (List<Object> rowData : rows) {
108
            Row dataRow = sheet.createRow(rowIndex);
109
            // dataRow.setHeightInPoints(25);
110
            colIndex = 0;
111
112
            for (Object cellData : rowData) {
113
                Cell cell = dataRow.createCell(colIndex);
114
                if (cellData != null) {
115
                    cell.setCellValue(cellData.toString());
116
                } else {
117
                    cell.setCellValue("");
118
                }
119
120
                cell.setCellStyle(dataStyle);
121
                colIndex++;
122
            }
123
            rowIndex++;
124
        }
125
        return rowIndex;
126
    }
127
128
    private static void autoSizeColumns(Sheet sheet, int columnNumber) {
129
130
        for (int i = 0; i < columnNumber; i++) {
131
            int orgWidth = sheet.getColumnWidth(i);
132
            sheet.autoSizeColumn(i, true);
133
            int newWidth = (int) (sheet.getColumnWidth(i) + 100);
134
            if (newWidth > orgWidth) {
135
                sheet.setColumnWidth(i, newWidth);
136
            } else {
137
                sheet.setColumnWidth(i, orgWidth);
138
            }
139
        }
140
    }
141
142
    private static void setBorder(XSSFCellStyle style, BorderStyle border, XSSFColor color) {
143
        style.setBorderTop(border);
144
        style.setBorderLeft(border);
145
        style.setBorderRight(border);
146
        style.setBorderBottom(border);
147
        style.setBorderColor(BorderSide.TOP, color);
148
        style.setBorderColor(BorderSide.LEFT, color);
149
        style.setBorderColor(BorderSide.RIGHT, color);
150
        style.setBorderColor(BorderSide.BOTTOM, color);
151
    }
152
}

+ 70 - 0
src/main/java/io/renren/modules/admin/controller/ExcelController.java

@ -0,0 +1,70 @@
1
package io.renren.modules.admin.controller;
2
3
import java.text.SimpleDateFormat;
4
import java.util.ArrayList;
5
import java.util.Date;
6
import java.util.List;
7
8
import javax.servlet.http.HttpServletResponse;
9
10
import org.springframework.web.bind.annotation.PostMapping;
11
import org.springframework.web.bind.annotation.RequestMapping;
12
import org.springframework.web.bind.annotation.RequestMethod;
13
import org.springframework.web.bind.annotation.RestController;
14
15
import io.renren.common.utils.ExcelUtils;
16
import io.renren.modules.admin.entity.ExcelEntity;
17
18
@RestController
19
@RequestMapping("admin/excel")
20
public class ExcelController {
21
    @PostMapping("test")
22
    public void excelTest(HttpServletResponse response) throws Exception {
23
        ExcelEntity data = new ExcelEntity();
24
        data.setName("用户信息数据");
25
        //添加表头
26
        List<String> titles = new ArrayList<String>();
27
        ArrayList<String> excelInfo = new ArrayList<String>();
28
        //for(String title: excelInfo.getNames())
29
        titles.add("姓名");
30
        titles.add("账号");
31
        titles.add("部门");
32
        titles.add("级别");
33
        titles.add("邮箱");
34
        data.setTitles(titles);
35
        //添加列
36
        List<List<Object>> rows = new ArrayList<List<Object>>();
37
        List<Object> row = null;
38
        //    for(int i=1; i<excelInfo.getNames().length;i++){
39
        //        row=new ArrayList();
40
        //        row.add(excelInfo.getNames()[i]);
41
        //        row.add(excelInfo.getAccount()[i]);
42
        //        row.add(excelInfo.getDept()[i]);
43
        //        row.add(excelInfo.getGender()[i]);
44
        //        row.add(excelInfo.getEmail()[i]);
45
        //        rows.add(row);
46
        //        row = null;
47
        //    }
48
        row=new ArrayList<Object>();
49
        row.add("张三");
50
        row.add("123");
51
        row.add("二号");
52
        row.add("特级");
53
        row.add("erer@ewrwr.gf");
54
        rows.add(row);
55
        row = null;
56
        row=new ArrayList<Object>();
57
        row.add("李四");
58
        row.add("124");
59
        row.add("一号");
60
        row.add("特级");
61
        row.add("esafdsf@ewrwr.gf");
62
        rows.add(row);
63
        row = null;
64
        data.setRows(rows);
65
66
        SimpleDateFormat fdate=new SimpleDateFormat("yyyy-MM-dd-HH-mm-ss");
67
        String fileName=fdate.format(new Date())+".xls";
68
        ExcelUtils.exportExcel(response, fileName, data);
69
    }
70
}

+ 166 - 0
src/main/java/io/renren/modules/admin/controller/SignInfoController.java

@ -0,0 +1,166 @@
1
package io.renren.modules.admin.controller;
2
3
import java.text.SimpleDateFormat;
4
import java.util.ArrayList;
5
import java.util.Arrays;
6
import java.util.Date;
7
import java.util.List;
8
import java.util.Map;
9
10
import javax.servlet.http.HttpServletResponse;
11
12
import java.net.URLEncoder;
13
import org.apache.shiro.authz.annotation.RequiresPermissions;
14
import org.springframework.beans.factory.annotation.Autowired;
15
import org.springframework.web.bind.annotation.GetMapping;
16
import org.springframework.web.bind.annotation.PathVariable;
17
import org.springframework.web.bind.annotation.PostMapping;
18
import org.springframework.web.bind.annotation.RequestBody;
19
import org.springframework.web.bind.annotation.RequestMapping;
20
import org.springframework.web.bind.annotation.RequestParam;
21
import org.springframework.web.bind.annotation.RestController;
22
23
import io.renren.modules.admin.entity.ExcelEntity;
24
import io.renren.modules.admin.entity.SignInfoEntity;
25
import io.renren.modules.admin.service.SignInfoService;
26
import io.renren.common.utils.ExcelUtils;
27
import io.renren.common.utils.PageUtils;
28
import io.renren.common.utils.R;
29
30
/**
31
 * VIEW
32
 *
33
 * @author chenshun
34
 * @email sunlightcs@gmail.com
35
 * @date 2020-03-23 16:28:38
36
 */
37
@RestController
38
@RequestMapping("admin/signinfo")
39
public class SignInfoController {
40
    @Autowired
41
    private SignInfoService signInfoService;
42
43
    /**
44
     * 列表
45
     */
46
    @GetMapping("/list")
47
    @RequiresPermissions("admin:signinfo:list")
48
    public R list(@RequestParam Map<String, Object> params){
49
        if (!params.containsKey("meetingId")) {
50
            return R.error("会议id不可为空");
51
        }
52
        PageUtils page = signInfoService.queryPage(params);
53
54
        return R.ok().put("page", page);
55
    }
56
57
    /**
58
     * 信息
59
     */
60
    @GetMapping("/info/{id}")
61
    @RequiresPermissions("admin:signinfo:info")
62
    public R info(@PathVariable("id") Long id){
63
		SignInfoEntity signInfo = signInfoService.getById(id);
64
65
        return R.ok().put("signInfo", signInfo);
66
    }
67
68
    @PostMapping("downloadxls")
69
    @RequiresPermissions("admin:signinfo:list")
70
    public void makeExcel(HttpServletResponse response, @RequestParam Map<String, Object> params) throws Exception {
71
        if (!params.containsKey("meetingId")) {
72
            throw new Exception("会议id不可为空");
73
        }
74
        String meetingName = params.containsKey("meetingName") ? params.get("meetingName").toString() : "";
75
       
76
        ExcelEntity data = new ExcelEntity();
77
        data.setName(meetingName + "签到数据");
78
        //添加表头
79
        List<String> titles = new ArrayList<String>();
80
        titles.add("序号");
81
        titles.add("姓名");
82
        titles.add("联系电话");
83
        titles.add("所属机构");
84
        titles.add("职位");
85
        titles.add("职称");
86
        titles.add("参会人员类型");
87
        titles.add("签到状态");
88
        titles.add("是否缴费");
89
        titles.add("胸卡打印");
90
        titles.add("负责人");
91
        titles.add("最后签到时间");
92
        data.setTitles(titles);
93
        //添加列
94
        List<List<Object>> rows = new ArrayList<List<Object>>();
95
        List<Object> row = null;
96
        int i = 0;
97
98
        List<SignInfoEntity> sEntities = signInfoService.getList(params);
99
        SimpleDateFormat lastdate=new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");
100
        for (SignInfoEntity signInfoEntity : sEntities) {
101
            row = new ArrayList<Object>();
102
            row.add(i + 1);
103
            row.add(signInfoEntity.getTruename());
104
            row.add(signInfoEntity.getPhone());
105
            row.add(signInfoEntity.getOrganization());
106
            row.add(signInfoEntity.getPosition());
107
            row.add(signInfoEntity.getJobTitle());
108
            row.add(signInfoEntity.getTypeAttenders());
109
            row.add(signInfoEntity.getStatus());
110
            row.add(signInfoEntity.getIsPay());
111
            row.add(signInfoEntity.getBadge());
112
            row.add(signInfoEntity.getServername());
113
            String lastTime = lastdate.format(signInfoEntity.getLastTime());
114
            row.add(lastTime);
115
            rows.add(row);
116
            row = null;
117
            i++;
118
        }
119
        data.setRows(rows);
120
        SimpleDateFormat fdate=new SimpleDateFormat("yyyy-MM-dd-HH-mm-ss");
121
        String fileName=fdate.format(new Date())+".xlsx";
122
123
        // 告诉浏览器用什么软件可以打开此文件
124
        response.setHeader("content-Type", "application/vnd.ms-excel");
125
        // 下载文件的默认名称
126
        response.setHeader("Content-Disposition", "attachment;filename="+URLEncoder.encode(fileName, "utf-8"));
127
        // response.setHeader("Content-Disposition", "attachment;filename="+fileName);
128
129
        ExcelUtils.exportExcel(data, response.getOutputStream());
130
    }
131
132
133
    // /**
134
    //  * 保存
135
    //  */
136
    // @RequestMapping("/save")
137
    // @RequiresPermissions("admin:signinfo:save")
138
    // public R save(@RequestBody SignInfoEntity signInfo){
139
	// 	signInfoService.save(signInfo);
140
141
    //     return R.ok();
142
    // }
143
144
    // /**
145
    //  * 修改
146
    //  */
147
    // @RequestMapping("/update")
148
    // @RequiresPermissions("admin:signinfo:update")
149
    // public R update(@RequestBody SignInfoEntity signInfo){
150
	// 	signInfoService.updateById(signInfo);
151
152
    //     return R.ok();
153
    // }
154
155
    // /**
156
    //  * 删除
157
    //  */
158
    // @RequestMapping("/delete")
159
    // @RequiresPermissions("admin:signinfo:delete")
160
    // public R delete(@RequestBody Long[] ids){
161
	// 	signInfoService.removeByIds(Arrays.asList(ids));
162
163
    //     return R.ok();
164
    // }
165
166
}

+ 7 - 1
src/main/java/io/renren/modules/admin/dao/SignDao.java

@ -1,8 +1,13 @@
1 1
package io.renren.modules.admin.dao;
2 2
3 3
import io.renren.modules.admin.entity.SignEntity;
4
5
import java.util.List;
6
import java.util.Map;
7
4 8
import com.baomidou.mybatisplus.core.mapper.BaseMapper;
5 9
import org.apache.ibatis.annotations.Mapper;
10
import org.apache.ibatis.annotations.Select;
6 11
7 12
/**
8 13
 * 签到表
@ -13,5 +18,6 @@ import org.apache.ibatis.annotations.Mapper;
13 18
 */
14 19
@Mapper
15 20
public interface SignDao extends BaseMapper<SignEntity> {
16
	
21
    @Select("")
22
    List<Map<String, Object>> querySignList();
17 23
}

+ 17 - 0
src/main/java/io/renren/modules/admin/dao/SignInfoDao.java

@ -0,0 +1,17 @@
1
package io.renren.modules.admin.dao;
2
3
import io.renren.modules.admin.entity.SignInfoEntity;
4
import com.baomidou.mybatisplus.core.mapper.BaseMapper;
5
import org.apache.ibatis.annotations.Mapper;
6
7
/**
8
 * VIEW
9
 * 
10
 * @author chenshun
11
 * @email sunlightcs@gmail.com
12
 * @date 2020-03-23 16:28:38
13
 */
14
@Mapper
15
public interface SignInfoDao extends BaseMapper<SignInfoEntity> {
16
	
17
}

+ 19 - 0
src/main/java/io/renren/modules/admin/entity/ExcelEntity.java

@ -0,0 +1,19 @@
1
package io.renren.modules.admin.entity;
2
3
import java.io.Serializable;
4
import java.util.List;
5
import lombok.Data;
6
7
@Data
8
public class ExcelEntity implements Serializable {
9
    private static final long serialVersionUID = 1L;
10
    
11
    // 表头
12
    private List<String> titles;
13
14
    // 数据
15
    private List<List<Object>> rows;
16
17
    // 页签名称
18
    private String name;
19
}

+ 88 - 0
src/main/java/io/renren/modules/admin/entity/SignInfoEntity.java

@ -0,0 +1,88 @@
1
package io.renren.modules.admin.entity;
2
3
import com.baomidou.mybatisplus.annotation.TableId;
4
import com.baomidou.mybatisplus.annotation.TableName;
5
6
import java.io.Serializable;
7
import java.util.Date;
8
import lombok.Data;
9
10
/**
11
 * VIEW
12
 * 
13
 * @author chenshun
14
 * @email sunlightcs@gmail.com
15
 * @date 2020-03-23 16:28:38
16
 */
17
@Data
18
@TableName("sign_info")
19
public class SignInfoEntity implements Serializable {
20
	private static final long serialVersionUID = 1L;
21
22
	/**
23
	 * 签到id
24
	 */
25
	@TableId
26
	private Long id;
27
	/**
28
	 * 参会人员id
29
	 */
30
	private Long aId;
31
	/**
32
	 * 会议id
33
	 */
34
	private Long meetingId;
35
	/**
36
	 * 姓名
37
	 */
38
	private String truename;
39
	/**
40
	 * 所属机构(单位名称、公司名称
41
	 */
42
	private String organization;
43
	/**
44
	 * 职位
45
	 */
46
	private String position;
47
	/**
48
	 * 职称
49
	 */
50
	private String jobTitle;
51
	/**
52
	 * 电话
53
	 */
54
	private String phone;
55
	/**
56
	 * 参会人员类型id
57
	 */
58
	private Long typeId;
59
	/**
60
	 * 参会人员类型
61
	 */
62
	private String typeAttenders;
63
	/**
64
	 * 负责人(员工id)
65
	 */
66
	private Long servicer;
67
	/**
68
	 * 负责人
69
	 */
70
	private String servername;
71
	/**
72
	 * 缴费情况
73
	 */
74
	private Integer isPay;
75
	/**
76
	 * 签到状态
77
	 */
78
	private Integer status;
79
	/**
80
	 * 是否完成胸卡打印
81
	 */
82
	private Integer badge;
83
	/**
84
	 * 最后签到时间
85
	 */
86
	private Date lastTime;
87
88
}

+ 22 - 0
src/main/java/io/renren/modules/admin/service/SignInfoService.java

@ -0,0 +1,22 @@
1
package io.renren.modules.admin.service;
2
3
import com.baomidou.mybatisplus.extension.service.IService;
4
import io.renren.common.utils.PageUtils;
5
import io.renren.modules.admin.entity.SignInfoEntity;
6
7
import java.util.List;
8
import java.util.Map;
9
10
/**
11
 * VIEW
12
 *
13
 * @author chenshun
14
 * @email sunlightcs@gmail.com
15
 * @date 2020-03-23 16:28:38
16
 */
17
public interface SignInfoService extends IService<SignInfoEntity> {
18
19
    PageUtils queryPage(Map<String, Object> params);
20
    List<SignInfoEntity> getList(Map<String, Object> params);
21
}
22

+ 89 - 0
src/main/java/io/renren/modules/admin/service/impl/SignInfoServiceImpl.java

@ -0,0 +1,89 @@
1
package io.renren.modules.admin.service.impl;
2
3
import java.util.List;
4
import java.util.Map;
5
6
import org.apache.commons.lang.StringUtils;
7
import org.springframework.stereotype.Service;
8
import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper;
9
import com.baomidou.mybatisplus.core.metadata.IPage;
10
import com.baomidou.mybatisplus.extension.service.impl.ServiceImpl;
11
import io.renren.common.utils.PageUtils;
12
import io.renren.common.utils.Query;
13
14
import io.renren.modules.admin.dao.SignInfoDao;
15
import io.renren.modules.admin.entity.SignInfoEntity;
16
import io.renren.modules.admin.service.SignInfoService;
17
18
@Service("signInfoService")
19
public class SignInfoServiceImpl extends ServiceImpl<SignInfoDao, SignInfoEntity> implements SignInfoService {
20
21
    @Override
22
    public PageUtils queryPage(Map<String, Object> params) {
23
        Long meetingId = Long.valueOf(params.get("meetingId").toString());
24
        String key = params.containsKey("key") ? params.get("key").toString() : null;
25
        String badge = params.containsKey("badge") ? params.get("badge").toString() : null;
26
        String isPay = params.containsKey("isPay") ? params.get("isPay").toString() : null;
27
        String isServer = params.containsKey("isServer") ? params.get("isServer").toString() : null;
28
 
29
        QueryWrapper<SignInfoEntity> thatqWrapper = new QueryWrapper<SignInfoEntity>();
30
        thatqWrapper.eq("meeting_id", meetingId);
31
        if (StringUtils.isNotBlank(badge)) {
32
            thatqWrapper.eq("badge", Integer.valueOf(badge));
33
        }
34
        if (StringUtils.isNotBlank(badge)) {
35
            thatqWrapper.eq("is_pay", Integer.valueOf(isPay));
36
        }
37
        if (StringUtils.isNotBlank(badge)) {
38
            Integer isServerVal = Integer.valueOf(isServer);
39
            if (isServerVal == 0) {
40
                thatqWrapper.isNull("servername");
41
            } else {
42
                thatqWrapper.isNotNull("servername");
43
            }
44
        }
45
46
        if (StringUtils.isNotBlank(key)) {
47
            thatqWrapper.like("truename", key).or().like("servername", key);
48
        }
49
        IPage<SignInfoEntity> page = this.page(
50
                new Query<SignInfoEntity>().getPage(params),
51
                thatqWrapper
52
        );
53
54
        return new PageUtils(page);
55
    }
56
57
    public List<SignInfoEntity> getList(Map<String, Object> params) {
58
        Long meetingId = Long.valueOf(params.get("meetingId").toString());
59
        String key = params.containsKey("key") ? params.get("key").toString() : null;
60
        String badge = params.containsKey("badge") ? params.get("badge").toString() : null;
61
        String isPay = params.containsKey("isPay") ? params.get("isPay").toString() : null;
62
        String isServer = params.containsKey("isServer") ? params.get("isServer").toString() : null;
63
 
64
        QueryWrapper<SignInfoEntity> thatqWrapper = new QueryWrapper<SignInfoEntity>();
65
        thatqWrapper.eq("meeting_id", meetingId);
66
        if (StringUtils.isNotBlank(badge)) {
67
            thatqWrapper.eq("badge", Integer.valueOf(badge));
68
        }
69
        if (StringUtils.isNotBlank(badge)) {
70
            thatqWrapper.eq("is_pay", Integer.valueOf(isPay));
71
        }
72
        if (StringUtils.isNotBlank(badge)) {
73
            Integer isServerVal = Integer.valueOf(isServer);
74
            if (isServerVal == 0) {
75
                thatqWrapper.isNull("servername");
76
            } else {
77
                thatqWrapper.isNotNull("servername");
78
            }
79
        }
80
81
        if (StringUtils.isNotBlank(key)) {
82
            thatqWrapper.like("truename", key).or().like("servername", key);
83
        }
84
85
        List<SignInfoEntity> list = this.list(thatqWrapper);
86
87
        return list;
88
    }
89
}

+ 34 - 2
src/main/java/io/renren/modules/app/controller/QRCodeTest.java

@ -1,17 +1,22 @@
1 1
package io.renren.modules.app.controller;
2 2
3 3
import java.util.Date;
4
import sun.misc.BASE64Encoder;
4 5
5 6
import org.springframework.beans.factory.annotation.Value;
6 7
import io.renren.common.utils.R;
7 8
import io.swagger.annotations.Api;
8 9
import io.swagger.annotations.ApiOperation;
9 10
11
import org.apache.tomcat.util.http.fileupload.ByteArrayOutputStream;
10 12
import org.springframework.beans.factory.annotation.Autowired;
11 13
import org.springframework.web.bind.annotation.GetMapping;
12 14
import org.springframework.web.bind.annotation.RequestAttribute;
13 15
import org.springframework.web.bind.annotation.RequestMapping;
14 16
import org.springframework.web.bind.annotation.RestController;
17
18
import cn.hutool.crypto.asymmetric.RSA;
19
15 20
import org.apache.commons.io.IOUtils;
16 21
17 22
import io.renren.modules.app.annotation.Login;
@ -73,7 +78,7 @@ public class QRCodeTest {
73 78
		return R.ok().put("imgurl", imgurl);
74 79
	}
75 80
	
76
	// @Login
81
	@Login
77 82
	@GetMapping("qrcode.jpg")
78 83
    @ApiOperation("获取二维码图片")
79 84
    public void  getCodeImg(HttpServletResponse response, String attenders_id)throws IOException {
@ -91,5 +96,32 @@ public class QRCodeTest {
91 96
		}catch(Exception e){
92 97
			e.printStackTrace();
93 98
		}
94
    }
99
	}
100
	
101
	@Login
102
	@GetMapping("qrcodebase64.jpg")
103
    @ApiOperation("获取二维码图片")
104
    public R  getCodeImgBase64(String attenders_id)throws IOException {
105
		//获取图片验证码
106
		String text = qrcodeurl + attenders_id;
107
108
		try {
109
			BufferedImage image = QRCodeUtils.myencode(text, null, false);
110
111
            BASE64Encoder encoder = new BASE64Encoder();
112
            ByteArrayOutputStream baos = new ByteArrayOutputStream();//io流
113
            ImageIO.write(image, "jpg", baos);//写入流中
114
            byte[] bytes = baos.toByteArray();//转换成字节
115
            String jpg_base64 =  encoder.encodeBuffer(bytes).trim();//转换成base64串
116
            //删除 \r\n
117
            jpg_base64 = jpg_base64.replaceAll("\n", "").replaceAll("\r", "");
118
            baos.close();
119
120
			return R.ok().put("qrcodeimg", "data:image/jpg;base64,"+ jpg_base64);
121
        } catch (Exception e) {
122
			e.printStackTrace();
123
            
124
			return R.error("未知错误");
125
		}
126
	}
95 127
}

+ 1 - 0
src/main/java/io/renren/modules/app/controller/Sign.java

@ -66,6 +66,7 @@ public class Sign {
66 66
            signEntity.setStatus(1);
67 67
            signEntity.setBadge(0);
68 68
            signEntity.setCreateTime(new Date());
69
            signEntity.setLastTime(signEntity.getCreateTime());
69 70
            signEntity.setFlag(1L);
70 71
            signEntity.setIsDel(0);
71 72
            signService.save(signEntity);

+ 7 - 0
src/main/java/io/renren/modules/app/utils/QRCodeUtils.java

@ -266,6 +266,13 @@ public class QRCodeUtils {
266 266
        return QRCodeUtils.decode(new File(path));
267 267
    }
268 268
269
    /** 
270
     * 
271
     */
272
    public static BufferedImage myencode (String content, String imgPath, boolean needCompress) throws Exception {
273
        return QRCodeUtils.createImage(content, null, false);
274
    }
275
269 276
    // public static void main(String[] args) throws Exception {
270 277
    //     String text = "http://www.baidu.com";  //这里设置自定义网站url
271 278
    //     String logoPath = "C:\\Users\\admin\\Desktop\\test\\test.jpg";