如何在HighCharts回调中访问'this'的不同上下文(Angular / Typescript)

时间:2017-07-25 08:45:36

标签: javascript angular typescript highcharts callback

我在Angular / Typescript项目中使用HighCharts。一般来说它工作正常,但现在我卡住了:

单击某个点时,我想从http服务获取有关该点的更多信息。 HighCharts提供了添加回调函数的可能性:http://api.highcharts.com/highstock/plotOptions.series.point.events.click

问题是我需要有关该点的信息(点信息绑定到'this'),但也调用服务,其中'this'指的是类实例。

@Component({
    // ...
})
export class ChartComponent {

    chart: any;

    constructor(private dataService: DataService) {    }

    onPointClick(point: any) {
        this.dataService.getPointDetails(point) // then ...
    }

    buildDataChart() {
        let Highcharts = require('highcharts/highstock');
        this.chart = new Highcharts.StockChart({
            // ...
            plotOptions: {
                series: {
                    point: {
                        events: {
                            click: // How to implement this function?
                        }
                    }
                }
            }
        });
    }
}

我尝试了不同的事情但没有成功:

click: function() {
    console.log('Point information ' + this.x + ' ' + this.y);
    // outside of Angular scope and service cannot be reached.
}

有了这个,我也在Angular范围之外

click: this.onPointClick

现在我在Angular范围内,但无法访问点信息:

click: this.onPointClick.bind(this)

这里我也在Angular范围内,但无法访问点信息:

click: () => this.onPointClick(this)

有人知道如何获取积分信息并用此调用服务吗?我现在唯一能想到的就是一些全局的dom元素,但这似乎并不是很好。

1 个答案:

答案 0 :(得分:3)

您应该使用通过click事件发送的event参数,并将处理程序(onPointClick)定义为组件类的字段值。这种方式无需bind或奇怪的this上下文。在event范围内,该点定义为event.point

export class ChartComponent {

    chart: any;

    constructor(private dataService: DataService) {    }

    onPointClick = (event: any) => {
        this.dataService.getPointDetails(event.point);
    };

    buildDataChart() {
        let Highcharts = require('highcharts/highstock');
        this.chart = new Highcharts.StockChart({
             plotOptions: {
                series: {
                    point: {
                        events: {
                            click: this.onPointClick
                        }
                    }
                }
            }
        });
    }
}