Аргумент типа «Подписка» не может быть назначен параметру типа - PullRequest
0 голосов
/ 08 ноября 2019

Я пытаюсь извлечь данные из базы данных в мой angular материал matdatatable. но в ts, я получаю эту ошибку: Аргумент типа 'Подписка' не может быть назначен параметру типа ReservationList[]. Типу «Подписка» не хватает следующих свойств из типа ReservationList[]: длина, всплывающее, push, concat и еще 26.

Это мой компонент для сбора данных. T

import { Component, OnInit, ViewChild } from '@angular/core';
import {MatPaginator} from '@angular/material/paginator';
import {MatSort} from '@angular/material/sort';
import {MatTableDataSource} from '@angular/material/table';
import { ReservationList } from '../models/reservation-list.model';
import { ReservationService } from '../services/reservation.service';

@Component({
  selector: 'app-mattabledata',
  templateUrl: './mattabledata.component.html',
  styleUrls: ['./mattabledata.component.css']
})
export class MattabledataComponent implements OnInit {

  displayedColumns: string[] = ['roomName', 'name', 'progress', 'color'];
  dataSource: MatTableDataSource<ReservationList>;

  @ViewChild(MatPaginator, {static: true}) paginator: MatPaginator;
  @ViewChild(MatSort, {static: true}) sort: MatSort;

  constructor(private serv: ReservationService) {


  }

  ngOnInit() {
    this.dataSource.paginator = this.paginator;
    this.dataSource.sort = this.sort;
    this.dataSource = new MatTableDataSource(this.serv.refreshList());
  }

  applyFilter(filterValue: string) {
    this.dataSource.filter = filterValue.trim().toLowerCase();

    if (this.dataSource.paginator) {
      this.dataSource.paginator.firstPage();
    }
  }
}

Thisэто мой сервис:

    import { Injectable } from '@angular/core';
import {ReservationList} from '../models/reservation-list.model';
import { HttpClient } from '@angular/common/http';
import { Observable } from 'rxjs';

@Injectable({
  providedIn: 'root'
})
export class ReservationService {

  reservationlist: ReservationList[];

  constructor(private _http: HttpClient) { }

  refreshList(){
    return this._http.get("https://localhost:44389/api/reservations").subscribe(res => this.reservationlist = res as ReservationList[]);
 }
}

Это мой app.module.ts:

import { BrowserModule } from '@angular/platform-browser';
import { NgModule } from '@angular/core';
import { AppRoutingModule } from './app-routing.module';
import { AppComponent } from './app.component';
import {FormsModule, ReactiveFormsModule} from '@angular/forms';
import { BrowserAnimationsModule } from '@angular/platform-browser/animations';
import { MatInputModule, MatNativeDateModule } from '@angular/material';
import { SearchComponent } from './search/search.component';
import { ListComponent } from './list/list.component'
import {MatDatepickerModule} from '@angular/material/datepicker';
import {MatSelectModule} from '@angular/material/select';
import {MatTableModule} from '@angular/material/table';
import {MatButtonModule} from '@angular/material/button';
import {MatCardModule} from '@angular/material/card';
import { HttpClientModule } from '@angular/common/http';
import { MatPaginatorModule } from '@angular/material/paginator';
import { MatSortModule } from '@angular/material/sort';
import { MattabledataComponent } from './mattabledata/mattabledata.component';

@NgModule({
  declarations: [
    AppComponent,
    SearchComponent,
    ListComponent,
    MattabledataComponent,
  ],
  imports: [
    BrowserModule,
    AppRoutingModule,
    BrowserAnimationsModule,
    FormsModule,
    ReactiveFormsModule,
    MatInputModule,
    MatDatepickerModule,
    MatNativeDateModule,
    MatSelectModule,
    MatTableModule,
    MatButtonModule,
    MatCardModule,
    HttpClientModule,
    MatPaginatorModule,
    MatSortModule
  ],
  providers: [],
  bootstrap: [AppComponent]
})
export class AppModule { }

Это моя модель бронирования:

    export class ReservationList {
    hotelId: number
    currency: string
    roomName: string 
    roomId: number 
    boardName: string
    checkInDate: Date
    duration: number
    numberOfAd:  number 
    numberOfChd:  number 
    minAdtAge:  number 
    ch1AgeMin:  number 
    ch1AgeMax:  number 
    ch2AgeMin:  number 
    ch2AgeMax:  number 
    ch3AgeMin:  number 
    ch3AgeMax:  number 
    price:  number
    PayDate: string
}

Пожалуйста, объясните мне, какчтобы исправить эту проблему и получить мои данные в таблицу?

Спасибо

Ответы [ 2 ]

1 голос
/ 08 ноября 2019

Проблема в том, что вы не можете вернуть значение в асинхронном вызове подписки. Он возвращает только подписку, от которой вы можете отказаться.

Сделайте что-то вроде:

 this.dataSource = new MatTableDataSource([]);

this.serv.refreshList().subscribe(result => {
  this.dataSource.data = [...result]
}) 

Сервисная функция

refreshList(){
    return this._http.get<ReservationList[]>("https://localhost:44389/api/reservations");
 }

0 голосов
/ 08 ноября 2019

Содержимое файла службы неверно. Попробуйте этот код:

import { Injectable } from '@angular/core';
import {ReservationList} from '../models/reservation-list.model';
import { HttpClient } from '@angular/common/http';
import { Observable } from 'rxjs';

@Injectable({
  providedIn: 'root'
})
export class ReservationService {

  reservationlist: ReservationList[];

  constructor(private _http: HttpClient) { }

  refreshList(){
    return this._http.get("https://localhost:44389/api/reservations")
 }
}

В вашем файле компонента сделайте это:

 import { Component, OnInit, ViewChild } from '@angular/core';
    import {MatPaginator} from '@angular/material/paginator';
    import {MatSort} from '@angular/material/sort';
    import {MatTableDataSource} from '@angular/material/table';
    import { ReservationList } from '../models/reservation-list.model';
    import { ReservationService } from '../services/reservation.service';

    @Component({
      selector: 'app-mattabledata',
      templateUrl: './mattabledata.component.html',
      styleUrls: ['./mattabledata.component.css']
    })
    export class MattabledataComponent implements OnInit {

      displayedColumns: string[] = ['roomName', 'name', 'progress', 'color'];
      dataSource: MatTableDataSource<ReservationList>;

      @ViewChild(MatPaginator, {static: true}) paginator: MatPaginator;
      @ViewChild(MatSort, {static: true}) sort: MatSort;
apiResponse: ReservationList[] = [];


      constructor(private serv: ReservationService) {


      }

      ngOnInit() {
this.serv.refreshList.subscribe((res: any) => this.apiResponse = res as ReservationList[]);
        this.dataSource.paginator = this.paginator;
        this.dataSource.sort = this.sort;
        this.dataSource = new MatTableDataSource(this.apiResponse);
      }

      applyFilter(filterValue: string) {
        this.dataSource.filter = filterValue.trim().toLowerCase();

        if (this.dataSource.paginator) {
          this.dataSource.paginator.firstPage();
        }
      }
    }

Все остальное должно остаться прежним.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...