7

jsPDF我使用和创建基于表格的 PDF 文档AutoTable

var doc = new jsPDF('p', 'pt');
   //columns and rows are arrays created from the table content
        doc.autoTable(columns, rows, {

        drawRow: function (row) {
            if (row.index == rows.length - 1) {
                console.log('last row');
                //TODO
            }
        },
        pageBreak: 'avoid',
        headerStyles: {
            fillColor: [239, 154, 154],
            textColor: [0, 0, 0],
            halign: 'center'
        },
        bodyStyles: {
            halign: 'center'
        },
        margin: {top: 60},
        theme: 'striped'
    });

    doc.save('table.pdf');

我想要做的是为最后一个表格行设置不同的背景颜色。如上面的代码所示,我可以检测到何时绘制最后一行,但是我无法修改它。我尝试设置row.fillColor使用 RGB 值,这似乎没有效果。

我还查看了示例,但在该问题上找不到任何可以帮助我的东西。有任何想法吗?

4

2 回答 2

19

要动态更改样式,您有两种选择。第一个是用来didParseCell改变 autoTable 样式的:

doc.autoTable({
    html: '#table',
    didParseCell: function (data) {
        var rows = data.table.body;
        if (data.row.index === rows.length - 1) {
            data.cell.styles.fillColor = [239, 154, 154];
        }
    }
});

willDrawCell如果您更愿意使用 jspdf 样式函数,则使用第二个:

doc.autoTable({
    html: '#table',
    willDrawCell: function (data) {
        var rows = data.table.body;
        if (data.row.index === rows.length - 1) {
            doc.setFillColor(239, 154, 154);
        }
    },
});

在此处查看更多高级示例。

于 2016-03-01T19:15:34.397 回答
6

距离上次回答这个问题已经快三年了。我正在努力使用 drawCell 函数来实现这种效果。在jspdf-autotable": "^3.0.10"您应该使用以下三个回调之一来实现您想要的:

    // Use to change the content of the cell before width calculations etc are performed
    didParseCell: function (data) {
    },
    willDrawCell: function (data) { 
    },
    // Use to draw additional content such as images in table cells
    didDrawCell: function (data) {
    },

在您的情况下willDrawCell是您要使用的那个。所以代码将是这样的:

doc.autoTable({
  columns,
  body,
  headStyles: {
    fillColor: "#0d47a1"
  },
  willDrawCell: drawCell
});

let drawCell = function(data) {
  var doc = data.doc;
  var rows = data.table.body;
  if (rows.length === 1) {
  } else if (data.row.index === rows.length - 1) {
    doc.setFontStyle("bold");
    doc.setFontSize("10");
    doc.setFillColor(255, 255, 255);
  }
};
于 2019-02-14T08:11:31.060 回答