I've been going insane with this and can't figure this one out. I have data from my API formated like this:
 "data": [
    {
        "sr_count": 91,
        "month_name": "October",
        "month_num": 10,
        "year": 2017
    },
    {
        "sr_count": 50,
        "month_name": "September",
        "month_num": 9,
        "year": 2017
    }
]
Which I need to take the data from "sr_count" and "month_name" re-format into their own array in order for chart.js to handed the data.
for instance:
["91","50"] 
["October", "September"]
I have a reportService which is grabbing the data from my API
  getSR(groupBy: string, beginDate:string, endDate:string): Observable<Report[]> {
    return this.http.get(`${this.reportUrl}/SR?group_by="${groupBy}"&begin_date="${beginDate}"&end_date="${endDate}"`)
      .map(res => res.json().data)
      .catch(this.handleError);
  }
From my component code I'm figured that I could map all the data from sr_count and month_name into an array, then push it into a local variable so that I could use it in the data for chart.js
export class SrReportsComponent implements OnInit {
    monthName: [];
    srCount1: [];
    srCount2: [];
    data: any;
ngOnInit() {
 this.reportService.getSRLastMonth()
        .subscribe(data => {
            srCount= data.map(item => {
                return item.sr_count
            })
            console.log(srCount) // ["October", "September"]
            this.srCount2.push(srCount) // [["52", "41"]]
        });
    this.reportService.getSRThisMonth('Month',lastMonth,today)
        .subscribe(data => {
            monthName= data.map(item => {
                return item.month_name
            }
            srCount= data.map(item => {
                return item.sr_count
            }
            console.log(monthName) // ["October", "September"]
            this.monthName.push(monthName) // [["October", "September"]]
            this.srCount1.push(srCount) //[["91","50"]]
        });
        console.log(this.monthName)// [["October", "September"]]
        this.data = {
            labels: this.monthName, //returns []
            datasets: [
                {
                    label: 'First Dataset',
                    data: this.srCount1,
                    fill: false,
                    borderColor: '#4bc0c0'
                },
                {
                    label: 'Second Dataset',
                    data: this.srCount2,
                    fill: true,
                    borderColor: '#4ba0c0'
                }
            ]
        }
}
because using the push() method it seems to be nesting my the array which chart.js can't see. I've tried monthName[0] as well and get undefined in the console
What's the best way to get the array from the observable passed into a local variable so that I can get chart.js working?
 
     
     
    