如何使用blob和filesaver将Chart JS图表保存为没有黑色背景的图像?

时间:2017-04-27 17:49:57

标签: html5-canvas blob chart.js filesaver.js

$("#NoBidsChart").get(0).toBlob(function(value) {
    saveAs(value, "Summary.jpg");
});

这里我使用Chart JS(v2.5.0)来渲染图表。当我尝试使用Canvas导出图表到Blob转换器和filesaver.js时,我得到黑色背景。那么我如何获得具有自定义背景颜色的图像(最好是白色)?

2 个答案:

答案 0 :(得分:11)

如果你想要一个自定义的背景颜色,你必须用你喜欢的颜色绘制背景,你可以这样做,就像这样......

var backgroundColor = 'white';
Chart.plugins.register({
    beforeDraw: function(c) {
        var ctx = c.chart.ctx;
        ctx.fillStyle = backgroundColor;
        ctx.fillRect(0, 0, c.chart.width, c.chart.height);
    }
});

<强>样本

&#13;
&#13;
// draw background
var backgroundColor = 'white';
Chart.plugins.register({
    beforeDraw: function(c) {
        var ctx = c.chart.ctx;
        ctx.fillStyle = backgroundColor;
        ctx.fillRect(0, 0, c.chart.width, c.chart.height);
    }
});

// chart
var canvas = $('#NoBidsChart').get(0);
var myChart = new Chart(canvas, {
    type: 'line',
    data: {
        labels: [1, 2, 3, 4, 5],
        datasets: [{
            label: 'Line Chart',
            data: [1, 2, 3, 4, 5],
            backgroundColor: 'rgba(255, 0, 0, 0.2)',
            borderColor: 'rgba(255, 0, 0, 0.5)',
            pointBackgroundColor: 'black'
        }]
    }
});

// save as image
$('#save').click(function() {
    canvas.toBlob(function(blob) {
        saveAs(blob, "pretty image.png");
    });
});
&#13;
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/FileSaver.js/1.3.3/FileSaver.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/Chart.js/2.5.0/Chart.min.js"></script>
<button id="save">Save</button>
<canvas id="NoBidsChart"></canvas>
&#13;
&#13;
&#13;

答案 1 :(得分:1)

正如我在对已接受答案的评论中所述,它使我感到困扰,因为beforeDraw事件导致多次调用fillRect代码。 (据我所知,每个数据点一次。)

但是在其他任何事件上调用时,我都无法使用这种方法。但是,我只是采用了https://stackoverflow.com/a/50126796/165164中描述的编码方法,并将其插入为在afterRender事件上运行而注册的代码中,它恰好满足了我的要求:运行一次并保持背景为白色。

Chart.plugins.register({
    afterRender: function(c) {
        console.log("afterRender called");
        var ctx = c.chart.ctx;
        ctx.save();
        // This line is apparently essential to getting the
        // fill to go behind the drawn graph, not on top of it.
        // Technique is taken from:
        // https://stackoverflow.com/a/50126796/165164
        ctx.globalCompositeOperation = 'destination-over';
        ctx.fillStyle = 'white';
        ctx.fillRect(0, 0, c.chart.width, c.chart.height);
        ctx.restore();
    }
});

请访问(并投票)另一个已发布问题的链接答案。