Imposta dati aggiuntivi su serie highcharts


116

c'è un modo per passare alcuni dati aggiuntivi all'oggetto serie che verrà utilizzato per mostrare nel grafico 'tooltip'?

per esempio

 tooltip: {
     formatter: function() {
               return '<b>'+ this.series.name +'</b><br/>'+
           Highcharts.dateFormat('%b %e', this.x) +': '+ this.y;
     }

qui possiamo usare solo series.name, this.x e this.y per la serie. diciamo che devo passare un altro valore dinamico da solo con il set di dati e posso accedere tramite l'oggetto serie. È possibile?

Grazie a tutti in anticipo.


1
Javascript non è esigente riguardo agli oggetti da trasmettere e di solito li ignora se non vengono utilizzati. Potrebbero essere eliminati dal codice interno della libreria, ma non lo sono necessariamente e di solito vale la pena provare. Hai provato ad aggiungere dati aggiuntivi al tuo seriesoggetto e a visualizzarli in questo gestore?
Merlyn Morgan-Graham

@ MerlynMorgan-Graham - Sono nuovo di "HighCharts". puoi per favore postare qualsiasi link che posso trovare tipo di cosa di esempio? grazie mille per avermi aiutato.
Sam

@ Sam, la mia risposta ha un esempio funzionante a cui puoi dare un'occhiata. Fammi sapere se non soddisfa le tue esigenze.
Nick

Come posso aggiungere dati aggiuntivi come myData in caso di grafico a bolle poiché l'array di dati è come i dati: [[12, 43, 13], [74, 23, 44]] ad es. Quali sono le chiavi per i valori dei dati come sopra ha "y", ci sono "x", "y" e "z"? o 'taglia'
vishal

Risposte:


220

Sì, se imposti l'oggetto serie come segue, dove ogni punto dati è un hash, puoi passare valori extra:

new Highcharts.Chart( {
    ...,
    series: [ {
        name: 'Foo',
        data: [
            {
                y : 3,
                myData : 'firstPoint'
            },
            {
                y : 7,
                myData : 'secondPoint'
            },
            {
                y : 1,
                myData : 'thirdPoint'
            }
        ]
    } ]
} );

Nella tua descrizione comandi puoi accedervi tramite l'attributo "punto" dell'oggetto passato:

tooltip: {
    formatter: function() {
        return 'Extra data: <b>' + this.point.myData + '</b>';
    }
}

Esempio completo qui: https://jsfiddle.net/burwelldesigns/jeoL5y7s/


1
So che questa è una vecchia risposta, ma il violino collegato non mostra più l'esempio pertinente.
variabile indefinita

@undefinedvariable - hmm, sembra che altri lo abbiano modificato e impostato una nuova versione come versione "base" in jsfiddle. È un peccato. Aggiornato il violino e ora il collegamento a una versione specifica nella risposta.
Nick

@ Nick, fantastico, grazie. Ottima risposta, comunque. Stavo esaurendo i valori predefiniti inutilizzati per introdurre le informazioni.
variabile non definita

Come accedere a myData se è un array?
vishal

2
Grazie, come posso aggiungere dati aggiuntivi come myData in caso di grafico a bolle in quanto la matrice di dati è come i dati: [[12, 43, 13], [74, 23, 44]] ad es. Quali sono le chiavi per i valori dei dati come quanto sopra ha "y", ci sono "x", "y" e "z"? o "taglia"?
Vishal

17

Inoltre, con questa soluzione, puoi persino inserire più dati quanto vuoi :

tooltip: {
    formatter: function () {
        return 'Extra data: <b>' + this.point.myData + '</b><br> Another Data: <b>' + this.point.myOtherData + '</b>';
    }
},

series: [{
    name: 'Foo',
    data: [{
        y: 3,
        myData: 'firstPoint',
        myOtherData: 'Other first data'
    }, {
        y: 7,
        myData: 'secondPoint',
        myOtherData: 'Other second data'
    }, {
        y: 1,
        myData: 'thirdPoint',
        myOtherData: 'Other third data'
    }]
}]

Grazie Nick.


4
I "dati aggiuntivi" non sono possibili quando viene utilizzato il formato non oggetto [x, y]? Abbiamo datetimecome valore x ma vogliamo aggiungere dati extra al tooltip.
Rvanlaak

Esempio per i dati della serie temporale: var serie = {x: Date.parse (d.Value), y: d.Item, method: d.method};
Arjun Upadhyay,

15

Per i dati di serie temporali, soprattutto con punti dati sufficienti per attivare la soglia turbo , le soluzioni proposte sopra non funzioneranno. Nel caso della soglia turbo, questo è perché Highcarts si aspetta che i punti dati siano un array come:

series: [{
    name: 'Numbers over the course of time',
    data: [
      [1515059819853, 1],
      [1515059838069, 2],
      [1515059838080, 3],
      // you get the idea
    ]
  }]

Per non perdere i vantaggi della soglia turbo (che è importante quando si tratta di molti punti dati), memorizzo i dati fuori dal grafico e cerco il punto dati nella formatterfunzione tooltip . Ecco un esempio:

const chartData = [
  { timestamp: 1515059819853, value: 1, somethingElse: 'foo'},
  { timestamp: 1515059838069, value: 2, somethingElse: 'bar'},
  { timestamp: 1515059838080, value: 3, somethingElse: 'baz'},
  // you get the idea
]

const Chart = Highcharts.stockChart(myChart, {
  // ...options
  tooltip: {
    formatter () {
      // this.point.x is the timestamp in my original chartData array
      const pointData = chartData.find(row => row.timestamp === this.point.x)
      console.log(pointData.somethingElse)
    }
  },
  series: [{
      name: 'Numbers over the course of time',
      // restructure the data as an array as Highcharts expects it
      // array index 0 is the x value, index 1 is the y value in the chart
      data: chartData.map(row => [row.timestamp, row.value])
    }]
})

Questo approccio funzionerà per tutti i tipi di grafico.


Grazie, per la risposta, è davvero utile per visualizzare dati aggiuntivi nei grafici High Stock.
S Kumar

1
Non dovrebbe data: _.map(data, row => [row['timestamp'], row['value']])essere data: chartData.map(row => [row.timestamp, row.value])? Inoltre, non hai bisogno di lodash; puoi usare Array.find . Non è supportato da IE, ma stai già utilizzando ES6 ( const) e MS ha smesso di supportare IE nel 2016 .
Dan Dascalescu,

Buona presa con chartData. Sono abituato a usare lodash ma hai ragione. Ho aggiornato il mio esempio in modo che sia indipendente dalla libreria. grazie.
Christof

3

Sto usando AJAX per ottenere i miei dati da SQL Server, quindi preparo un array js che viene utilizzato come dati nel mio grafico. Codice JavaScript una volta che AJAX ha successo:

...,
success: function (data) {
            var fseries = [];
            var series = [];
            for (var arr in data) {
                for (var i in data[arr]['data'] ){
                    var d = data[arr]['data'][i];
                    //if (i < 5) alert("d.method = " + d.method);
                    var serie = {x:Date.parse(d.Value), y:d.Item, method:d.method };
                    series.push(serie);
                }
                fseries.push({name: data[arr]['name'], data: series, location: data[arr]['location']});
                series = [];
            };
            DrawChart(fseries);
         },

Ora per mostrare metadati extra nella descrizione comando:

...
tooltip: {
    xDateFormat: '%m/%d/%y',
    headerFormat: '<b>{series.name}</b><br>',
    pointFormat: 'Method: {point.method}<br>Date: {point.x:%m/%d/%y } <br>Reading: {point.y:,.2f}',
    shared: false,
},

Uso un DataRow per scorrere il mio set di risultati, quindi utilizzo una classe per assegnare i valori prima di passare di nuovo in formato Json. Ecco il codice C # nell'azione del controller chiamata da Ajax.

public JsonResult ChartData(string dataSource, string locationType, string[] locations, string[] methods, string fromDate, string toDate, string[] lstParams)
{
    List<Dictionary<string, object>> dataResult = new List<Dictionary<string, object>>();
    Dictionary<string, object> aSeries = new Dictionary<string, object>();
    string currParam = string.Empty;        

    lstParams = (lstParams == null) ? new string[1] : lstParams;
    foreach (DataRow dr in GetChartData(dataSource, locationType, locations, methods, fromDate, toDate, lstParams).Rows)
    {
        if (currParam != dr[1].ToString())
        {
            if (!String.IsNullOrEmpty(currParam))       //A new Standard Parameter is read and add to dataResult. Skips first record.
            {
                Dictionary<string, object> bSeries = new Dictionary<string, object>(aSeries); //Required else when clearing out aSeries, dataResult values are also cleared
                dataResult.Add(bSeries);
                aSeries.Clear();
            }
            currParam = dr[1].ToString(); 
            aSeries["name"] = cParam;
            aSeries["data"] = new List<ChartDataModel>();
            aSeries["location"] = dr[0].ToString();
        }

        ChartDataModel lst = new ChartDataModel();
        lst.Value = Convert.ToDateTime(dr[3]).ToShortDateString();
        lst.Item = Convert.ToDouble(dr[2]);
        lst.method = dr[4].ToString();
        ((List<ChartDataModel>)aSeries["data"]).Add(lst);
    }
    dataResult.Add(aSeries);
    var result = Json(dataResult.ToList(), JsonRequestBehavior.AllowGet);  //used to debug final dataResult before returning to AJAX call.
    return result;
}

Mi rendo conto che esiste un modo più efficiente e accettabile per codificare in C # ma ho ereditato il progetto.


1

Solo per aggiungere una sorta di dinamismo:

Fatto questo per generare dati per un istogramma in pila con 10 categorie.
Volevo avere per ciascuna serie di dati di categoria 4 e volevo visualizzare informazioni aggiuntive (immagine, domanda, distrattore e risposta prevista) per ciascuna delle serie di dati:

<?php 

while($n<=10)
{
    $data1[]=array(
        "y"=>$nber1,
        "img"=>$image1,
        "ques"=>$ques,
        "distractor"=>$distractor1,
        "answer"=>$ans
    );
    $data2[]=array(
        "y"=>$nber2,
        "img"=>$image2,
        "ques"=>$ques,
        "distractor"=>$distractor2,
        "answer"=>$ans
    );
    $data3[]=array(
        "y"=>$nber3,
        "img"=>$image3,
        "ques"=>$ques,
        "distractor"=>$distractor3,
        "answer"=>$ans
    );
    $data4[]=array(
        "y"=>$nber4,
        "img"=>$image4,
        "ques"=>$ques,
        "distractor"=>$distractor4,
        "answer"=>$ans
    );
}

// Then convert the data into data series:

$mydata[]=array(
    "name"=>"Distractor #1",
    "data"=>$data1,
    "stack"=>"Distractor #1"
);
$mydata[]=array(
    "name"=>"Distractor #2",
    "data"=>$data2,
    "stack"=>"Distractor #2"
);
$mydata[]=array(
    "name"=>"Distractor #3",
    "data"=>$data3,
    "stack"=>"Distractor #3"
);
$mydata[]=array(
    "name"=>"Distractor #4",
    "data"=>$data4,
    "stack"=>"Distractor #4"
);
?>

Nella sezione highcharts:

var mydata=<? echo json_encode($mydata)?>;

// Tooltip section
tooltip: {
    useHTML: true,
        formatter: function() {

            return 'Question ID: <b>'+ this.x +'</b><br/>'+
                   'Question: <b>'+ this.point.ques +'</b><br/>'+
                   this.series.name+'<br> Total attempts: '+ this.y +'<br/>'+
                   "<img src=\"images/"+ this.point.img +"\" width=\"100px\" height=\"50px\"/><br>"+
                   'Distractor: <b>'+ this.point.distractor +'</b><br/>'+
                   'Expected answer: <b>'+ this.point.answer +'</b><br/>';
               }
           },

// Series section of the highcharts 
series: mydata
// For the category section, just prepare an array of elements and assign to the category variable as the way I did it on series.

Spero che aiuti qualcuno.

Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.