使用Google Charts API时,是否可以使某些烛台具有不同的颜色?

例如,看下面的(可编辑)烛台图:

https://code.google.com/apis/ajax/playground/?type=visualization#candlestick_chart

    function drawVisualization() {
   // Populate the data table.
    var dataTable = google.visualization.arrayToDataTable([
       ['Mon', 20, 28, 38, 45],
       ['Tue', 31, 38, 55, 66],
       ['Wed', 50, 55, 77, 80],
       ['Thu', 77, 77, 66, 50],
       ['Fri', 68, 66, 22, 15]
    // Treat first row as data as well.
    ], true);

    // Draw the chart.
    var chart = new google.visualization.CandlestickChart(document.getElementById('visualization'));
    chart.draw(dataTable, {legend:'none', width:600, height:400});
}


有没有办法使'Tue'烛台变成红色,而其余的保持蓝/白?

最佳答案

似乎没有图表选项可以设置。

一种可能性是根据您的数据构建两个系列,并为每个系列设置不同的颜色。输入数据必须更改。 Tue数据移至第二个系列,所有其他值均为零:

    var data = google.visualization.arrayToDataTable([
      ['Mon', 20, 28, 38, 45,  0, 0, 0, 0],
      ['Tue',  0,  0,  0,  0, 31, 38, 55, 66,],
      ['Wed', 50, 55, 77, 80,  0, 0, 0, 0],
      ['Thu', 77, 77, 66, 50,  0, 0, 0, 0],
      ['Fri', 68, 66, 22, 15,  0, 0, 0, 0]
      // Treat first row as data as well.
    ], true);

    var options = {
        legend: 'none',
        bar: {
            groupWidth: 100
        },
        series: {
            0: {color: '#4682B4'},
            1: {color: '#FF8C00'}
        }
    };


请参见example at jsbin。一个不漂亮,因为第二个系列有些偏移。

另一种可能性是更改SVG元素属性值。每个烛台都是使用类似以下内容构建的:

<g>
<rect x="235" y="279" width="2" height="115" stroke="none" stroke-width="0" fill="#4682b4"></rect>
<rect x="213" y="312" width="47" height="44" stroke="#4682b4" stroke-width="2" fill="#4682b4"></rect>
</g>


因此,您必须滤除<rect>元素并更改要具有不同颜色的元素的fill属性。

更新:可以做到,例如使用方法querySelectorAll()setAttribute()

    var cSticks = document.querySelectorAll('rect[fill="#4682b4"]');

    cSticks[2].setAttribute('fill', '#ff8c00');
    cSticks[3].setAttribute('fill', '#ff8c00');
    cSticks[3].setAttribute('stroke', '#ff8c00');


请参阅带有硬编码数据的更新的example at jsbin

注意:填充颜色值是小写的,因此如果您搜索4682B4,则不会找到任何内容。

09-25 16:55