Свойство 'title' не существует для типа '{}' - PullRequest
0 голосов
/ 28 мая 2020

Angular

В первых нескольких тегах у меня есть входной тег input #title = "ngModel" [(ngModel)] = "product.title" этот код, где я Я пытаюсь использовать двустороннюю привязку, чтобы иметь возможность редактировать свою форму и значения, которые я получаю из базы данных firebase. Я создал пустой объект продукта в product-form.component.ts, но получаю ошибку типа свойства. Я не уверен, почему пустой объект продукта вызывает ошибку, потому что в учебнике, который я смотрю, используется тот же подход. Цель состоит в том, чтобы иметь возможность использовать этот пустой объект продукта или альтернативный подход, чтобы иметь возможность работать с двусторонней привязкой

product-form.component.ts
import { ProductService } from './../../product.service';
import { CategoryService } from './../../category.service';
import { Component, OnInit } from '@angular/core';
import { Router, ActivatedRoute } from '@angular/router';
import { take } from 'rxjs/operators';

@Component({
  selector: 'app-product-form',
  templateUrl: './product-form.component.html',
  styleUrls: ['./product-form.component.css']
})
export class ProductFormComponent implements OnInit {
  categories$;
  product = {};


  constructor(
    private route: ActivatedRoute,
    private router: Router,
    private categoryService: CategoryService, 
    private productService: ProductService) 
    {
    this.categories$ = categoryService.getCategories();
    let id = this.route.snapshot.paramMap.get('id');
    if (id) this.productService.get(id).pipe(take(1)).subscribe(p => this.product = p);
    }

   save(product){
     this.productService.create(product);
     this.router.navigate(['/admin/products']);
   }

  ngOnInit(): void {
  }

}

product-form.html

<div class="row">
    <div class="col-md-6">
        <form #f = "ngForm" (ngSubmit) = "save(f.value)">
            <div class="form-group">
                <label for="title">Title</label>
                <input #title = "ngModel" [(ngModel)]="product.title" name = "title" id = "title" type="text" class="form-control" required>
                <div class="alert alert-danger" *ngIf = "title.touched && title.invalid">
                    Title is required
                </div>
            </div>

            <div class="form-group">
                <label for="price">Price</label> 
                <div class="input-group">
                    <span class="input-group-text">$</span>
                    <input #price="ngModel" ngModel name ="price" id = "price" type="number" class="form-control" required>
                </div>
                <div class="alert alert-danger" *ngIf="price.touched && price.invalid">
                    <div *ngIf="price.errors.required">Price is required.</div>
                    <div *ngIf="price.errors.min">Price should be 0.</div>
                </div>

            </div>

            <div class="form-group">
                <label for="category">Category</label>
                <select #category="ngModel" ngModel name="category" id = "category" type="text" class="form-control" required>
                <option  value=""></option>
                <option *ngFor = "let c of categories$ | async" [value] = "c.name">
                    {{c.name}}
                </option>
                </select>
                <div class="alert alert-danger" *ngIf = "category.touched && category.invalid">
                    Category is required.
                </div>
            </div>

            <div class="form-group">
                <label for="imageUrl">Image Url</label>
                <input #imageUrl="ngModel" ngModel name= "imageUrl" id = "imageUrl" type="url" class="form-control" required>
                <div class="alert alert-danger" *ngIf = "imageUrl.touched && imageUrl.invalid">
                    <div *ngIf = "imageUrl.errors.required">Image URL is required.</div>
                    <div *ngIf = "imageUrl.errors.url">Invalid URL</div>
                </div>
            </div>

            <button class="btn btn-primary">Save</button>

        </form>
    </div>
    <div class="col-md-6">
        <div class="card" style="width: 18rem;">
            <img [src]="imageUrl.value" class="card-img-top">
            <div class="card-body">
              <h5 class="card-title">{{title.value}}</h5>
              <p class="card-text">{{price.value | currency:'USD':true}}</p>
            </div>
          </div>
    </div>

</div>


product.service.ts

import { Injectable } from '@angular/core';
import { AngularFireDatabase } from '@angular/fire/database';

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

  constructor(private db: AngularFireDatabase) { }

  create(product){
    return this.db.list('/products').push(product);

    // const itemsRef = this.db.list('products');
    // return itemsRef.push(product);
  }

  getAll() {
    return this.db.list('/products').valueChanges();

  }

  get(productId){
    return this.db.object('/products/' + productId).valueChanges();
  }
}



1 Ответ

0 голосов
/ 28 мая 2020

Есть 2 способа сделать это

Подход 1

Объявить интерфейс

export interface Product {
  title: string
}

Измените раздел кода компонента следующим образом:

с

product = {};

на

product:Product;

Подход 2 - может иметь побочные эффекты

Изменение HTML

От

<input #title = "ngModel" [(ngModel)]="product.title" name = "title" id = "title" type="text" class="form-control" required>

Кому

<input #title = "ngModel" [(ngModel)]="product['title']" name = "title" id = "title" type="text" class="form-control" required>
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...