我对Angular很陌生。尝试从GET REST端点中消耗数据,如下所示:
{"employees":[{"empId":"1","name":"emp1","designation":"manager","salary":3000.0},{"empId":"2","name":"emp2","designation":"developer","salary":3000.0}],"addresses":[{"city":"London"},{"city":"Belgium"}]}
它有两个列出的雇员和地址。 我用角创建了如下的类-
export class Employee {
constructor(
) { }
}
export class Address {
constructor(
) { }
}
export class EmployeeDetail {
public employees: Employee[];
public addresses: Address[];
constructor( ) { }
public get employee(): Employee[] {
return this.employees;
}
public get address(): Address[] {
return this.addresses;
}
public set address(addresses: Address[]){
this.addresses = addresses;
}
}
尝试如下构造EmployeeDetail类-
getData() {
return this.httpClient.get<EmployeeDetail>('http://localhost:8080/employees')
.pipe(
map(data => {
const employeeList: Employee[] = [];
const addressList: Address[] = [];
var employeeDetail = new EmployeeDetail();
const newList1 : Employee[] = data.employee;
const newList2 : Address[] = data.address;
console.log(newList1);
newList1.forEach(item =>
employeeList.push(Object.assign(new Employee(), item)));
newList2.forEach(item =>
newList.push(Object.assign(new Address(), item)));
employeeDetail.employee = employeeList;
employeeDetail.address = addressList;
return employeeDetail;
})
);
获取以下异常
TypeError: Cannot read property 'forEach' of undefined
at MapSubscriber.project (http-client.service.ts:119)
at MapSubscriber.push../node_modules/rxjs/_esm5/internal/operators/map.js.MapSubscriber._next (map.js:35)
at MapSubscriber.push../node_modules/rxjs/_esm5/internal/Subscriber.js.Subscriber.next (Subscriber.js:54)
at MapSubscriber.push../node_modules/rxjs/_esm5/internal/operators/map.js.MapSubscriber._next (map.js:41)
at MapSubscriber.push../node_modules/rxjs/_esm5/internal/Subscriber.js.Subscriber.next (Subscriber.js:54)
at FilterSubscriber.push../node_modules/rxjs/_esm5/internal/operators/filter.js.FilterSubscriber._next (filter.js:38)
at FilterSubscriber.push../node_modules/rxjs/_esm5/internal/Subscriber.js.Subscriber.next (Subscriber.js:54)
请帮助我创建EmployeeDetail对象。谢谢
答案 0 :(得分:2)
您实际上并不需要在getData()
方法中放入所有多余的逻辑。
如何简化这样的实现:
import { Injectable } from '@angular/core';
import { HttpClient } from '@angular/common/http';
import { Observable } from 'rxjs';
export class Employee {
empId: string;
name: string;
designation: string;
salary: number;
}
export class Address {
city: string;
}
export class EmployeeDetail {
employees: Employee[];
addresses: Address[];
}
@Injectable()
export class EmployeeService {
constructor(private http: HttpClient) {}
getEmployeeData(): Observable < EmployeeDetail > {
return this.http.get < EmployeeDetail > ('/assets/employees.json');
}
}
我们只需在T
到get
上指定HttpClient
方法的EmployeeDetail
,然后返回此方法返回的值。这将返回一个Observable
,其中包含类型为EmployeeDetail
的值。
以下是 Working Sample StackBlitz 供您参考。