zoukankan      html  css  js  c++  java
  • node.js实现excel导出/exceljs实现导出

    前提: 前端开发负责写前端页面以及node开发,node是基于egg.js,node的orm用的是sequelize

    第一步先下载

    npm install exceljs --save
    

    第二步公共组件 (文件: service底下的common/exportFile)

    
    'use strict'
    
    const Service = require('egg').Service
    // 引入exceljs
    const Excel = require('exceljs')
    
    class exportFileService extends Service {
      constructor(prop) {
        super(prop)
        this.defaultViews = [
          {
            x: 0,
            y: 0,
             10000,
            height: 20000,
            firstSheet: 0,
            activeTab: 1,
            visibility: 'visible',
          },
        ]
        this.fontName = 'Arial Unicode MS'
        this.font = { name: this.fontName, family: 4, size: 13 }
        this.fill = { type: 'pattern', pattern: 'solid', fgColor: { argb: 'FF8DB4E2' } }
        this.border = { style: 'thin', color: { argb: 'cccccc' } }
      }
      /**
       * 导出excel
       * @param { Object } config 传入的excel对象
       * @param { Array } config.data excel的数据
       * @param { String } config.filename excel文件名
       * @param { Array } config.header excel的头部
       * @param { String } config.sheetName 表名
       * @param { Array } config.imageKeys 需要转化图片的key
       * @param { String } config.creator 创建表的人
       * @param { String } config.lastModifiedBy 最后修改表的人
       * @param { String } config.imageKeys.imgWidth 图片的宽度
       * @param { String } config.imageKeys.imgHeight 图片的高度
       * */
      async exportExcel({
        data = [],
        filename = 'file',
        header,
        sheetName = 'sheet1',
        imageKeys = [],
        creator = 'me',
        lastModifiedBy = 'her',
      }) {
        const { ctx } = this
        const workbook = new Excel.Workbook()
        // 设置属性 -创建着以及最后修改的人
        workbook.creator = creator
        workbook.lastModifiedBy = lastModifiedBy
    
        // 时间获取一次就好
        const now = new Date()
        workbook.created = now
        workbook.modified = now
        workbook.lastPrinted = now
        const worksheet = workbook.addWorksheet(sheetName)
        // 设置打开时候的视图-设置位置
        workbook.views = this.defaultViews
        // 使工作表可见
        worksheet.state = 'visible'
        worksheet.columns = header
    
        for (let i = 1; i <= header.length; i++) {
          worksheet.getColumn(i).alignment = { vertical: 'middle', horizontal: 'center' }
          worksheet.getColumn(i).font = { name: 'Arial Unicode MS' }
        }
        worksheet.addRows(data)
        // 处理图片
        const imageList = this.getImageList(imageKeys, data, header)
        // 添加图片到sheet
        await this.addPicToSheet(imageList, imageKeys, workbook, worksheet)
        // 多级表头
        const headerOPtion = header.filter((item, index) => {
          if (item.type && item.type === 'multi') {
            header.splice(index, 1)
            return item
          }
          return item.type && item.type === 'multi'
        })
        // 多级表头重置设置表头
        if (headerOPtion.length) {
          headerOPtion[0].headerText.forEach((text, index) => {
            const borderAttr = { top: this.border, left: this.border, bottom: this.border, right: this.border, index }
            const headerAttr = [
              {
                attr: 'values',
                value: text,
              },
              {
                attr: 'font',
                value: this.font,
              },
              {
                attr: 'fill',
                value: this.fill,
              },
              {
                attr: 'border',
                value: borderAttr,
              },
            ]
            headerAttr.map(item => {
              worksheet.getRow(index + 1)[item.attr] = item.value
              return worksheet
            })
          })
          headerOPtion[0].mergeOption.forEach(merge => {
            worksheet.mergeCells(merge)
          })
        } else {
          // 设置表头样式
          worksheet.getRow(1).font = this.font
          worksheet.getRow(1).fill = this.fill
        }
        const bufferContent = await workbook.xlsx.writeBuffer()
    
        // 设置
        ctx.set('Content-disposition', `attachment;filename=${filename}.xlsx`)
        // 返回文件buffer
        ctx.body = bufferContent
      }
      // 设置图片大小
      getImageList(imageKeys, data, header) {
        return imageKeys.map(
          key => data.map(
            (item, index) => ({
              key,
              url: item[key.name],
              col: this.app.utils.index.getIndexByKey(header, key.name) + 1,
              row: index + 2,
               key.imgWidth,
              height: key.imgHeight,
            })
          )
        )
      }
      // 添加图片到sheet
      async addPicToSheet(imageList, imageKeys, workbook, worksheet) {
        if (imageKeys.length > 0) {
          await Promise.all(imageList.map(async imgArr => {
            return await Promise.all(imgArr.map(item => {
              const { url, width, height, row, col } = item
              // 因为有的图片是不存在的需要判断
              if (url) {
                return this.app.utils.index.getBase64(url, this.ctx).then(res => {
                  if (!url) return
                  const imgType = url.split('?')[0].substring(url.split('?')[0].lastIndexOf('.') + 1).toLowerCase()
                  const id = workbook.addImage({
                    base64: res,
                    extension: imgType,
                  })
                  worksheet.addImage(id, {
                    tl: { col: col - 1, row: row - 1 },
                    ext: { width, height },
                  })
                  worksheet.getRow(row).height = height
                  // // 去掉背景链接
                  worksheet.getRow(row).getCell(item.key.name).value = ''
                })
              }
              return item
            }))
          }))
        }
      }
    }
    
    module.exports = exportFileService
    

    第三步: node端如何使用 先写路由

    'use strict'
    
    /**
     * @param {Egg.Application} app - egg application
     */
    
    module.exports = ({
      router,
      controller: {
        recharge: {
          rechargeStastics,
          adjustRechargeAmount,
          exchangeManage,
        },
      },
    }) => {
      // 用户兑换记录表导出
      router.get('/user_exchange_record/export', exchangeManage.exportExcel)
    
    

    第四步: node端如何使用 controller的使用

    'use strict'
    
    const baseController = require('../baseController')
    class exchangeManageController extends baseController {
      // 定义excel的头部
      constructor(prop) {
        super(prop)
        this.header = [
          { header: '用户id', key: 'userId',  10 },
          { header: '用户昵称', key: 'userName',  15 },
          { header: '兑换消耗金币', key: 'exchangeCostGold',  15 },
          { header: '发放游戏币', key: 'sendGameCoin',  15 },
          { header: '兑换时间', key: 'exchangeTime',  20 },
        ]
      }
      /**
       * 导出excel数据
       */
      async exportExcel() {
        const { service, app } = this
        const { list } = await this.exchangeCommon('exportExcel')
        list.map(item => {
          item.exchangeTime = item.exchangeTime && app.utils.index.parseTime(item.exchangeTime)
          return item
        })
        // 定义基本的信息
        const baseExcelInfo = {
          data: list,
          filename: 'exchangelist',
          header: this.header,
          sheetName: 'sheet1',
        }
        await service.common.exportFile.exportExcel(baseExcelInfo)
      }
    }
    
    module.exports = exchangeManageController
    

    第五步: 前端拿到接口怎么调用

    const exportExcelUrl = '/user_exchange_record/export'
    export function exportFile(url, params) {
      return request({
        responseType: 'blob',
        headers: {
          'Content-Type': 'application/json',
        },
        timeout: 1000 * 60,
        url: url,
        method: 'get',
        params,
      })
    }
    
    

    调用

    async exportFileFun() {
      const file = await exportFile(this.exportItem.apiUrl, res)
      this.saveFile(file, '文件下载')
    },
    
    saveFile(file, filename) {
      const ieKit = /(?:ms|()(ie)s([w.]+)|trident|(edge|edgios|edga|edg)/i.test(window.navigator.userAgent)
      const blobData = new Blob([file], { type: 'application/vnd.ms-excel' })
      if (ieKit) {
        navigator.msSaveBlob && navigator.msSaveBlob(blobData, filename)
      } else {
        const objectURL = window.URL.createObjectURL(blobData)
        const save_link = document.createElement('a')
        const event = document.createEvent('MouseEvents')
        save_link.href = objectURL
        save_link.download = filename + '.xlsx'
        event.initMouseEvent('click', true, false, window, 0, 0, 0, 0, 0, false, false, false, false, 0, null)
        save_link.dispatchEvent(event)
        window.URL.revokeObjectURL(objectURL)
      }
    },
    
  • 相关阅读:
    AtomicInteger原理分析
    packageinfo.java介绍
    SpringBoot 日志、配置文件、接口数据脱敏
    Gulp自动化构建分析
    RPC本质思考
    ES6 之 let 与 const
    Java属性转换工具分析
    AMQP协议模型及相关组件介绍
    Spring Bean生命周期分析
    PHP 脚本后台执行
  • 原文地址:https://www.cnblogs.com/antyhouse/p/13256093.html
Copyright © 2011-2022 走看看