工具类代码
- 题外话
- 前言
- Excel工具
题外话
如果各位客官有需要开发一些小小需求,可以私我哦,承接小需求开发,或问题定位(仅限java),价格私聊哈
前言
在开发过程中可能偶尔会用到一些小工具类,故想整理一下一些刚好用到,以供后续使用(后续会继续更新)。
Excel工具
合并Excel表格中某一列相同数值的单元格
引入依赖
<dependency><groupId>org.apache.poi</groupId><artifactId>poi</artifactId><version>3.17</version></dependency><dependency><groupId>org.apache.poi</groupId><artifactId>poi-ooxml</artifactId><version>3.17</version></dependency>
import org.apache.poi.openxml4j.exceptions.InvalidFormatException;
import org.apache.poi.ss.usermodel.*;
import org.apache.poi.ss.util.CellRangeAddress;import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;/*** Excel工具类,用于合并Excel表格中某一列相同数值的单元格*/
public class ExcelUtils {/*** 合并Excel表格中某一列相同数值的单元格** @param sourcePath Excel源文件路径* @param desPath Excel目标文件路径* @param columnIndex 要操作的列索引*/public static void mergeSameCellsInColumn(String sourcePath, String desPath, int columnIndex) {try {FileInputStream file = new FileInputStream(sourcePath);Workbook workbook = WorkbookFactory.create(file);Sheet sheet = workbook.getSheetAt(0);int regionStartRow = 0;int regionEndRow = 0;for (int i = 1; i <= sheet.getLastRowNum(); i++) {Row currentRow = sheet.getRow(i);Row prevRow = sheet.getRow(i - 1);Cell currentCell = currentRow.getCell(columnIndex);Cell prevCell = prevRow.getCell(columnIndex);if (currentCell != null && prevCell != null) {if (!getValue(currentCell).equals(getValue(prevCell))) {if (regionStartRow != regionEndRow) {sheet.addMergedRegion(new CellRangeAddress(regionStartRow, regionEndRow, columnIndex, columnIndex));}regionStartRow = i;}regionEndRow = i;}}FileOutputStream out = new FileOutputStream(desPath);workbook.write(out);out.close();workbook.close();file.close();System.out.println("Excel文件中相同数值列合并单元格完成。");} catch (IOException e) {e.printStackTrace();} catch (InvalidFormatException e) {throw new RuntimeException(e);}}/*** 获取单元格的值** @param cell 单元格对象* @return 单元格的值*/public static String getValue(Cell cell) {switch (cell.getCellTypeEnum()) {case NUMERIC:return String.valueOf(cell.getNumericCellValue());case ERROR:return String.valueOf(cell.getErrorCellValue());case BOOLEAN:return String.valueOf(cell.getBooleanCellValue());default:return cell.getStringCellValue();}}
}