我无法生成带有角度信息的卡片
我的模型:
export class order {
Name!: string
Surname!: string
Email!: string
Type!: string
Description!: string
constructor(name: string, surname: string, email: string, type: string, desc: string) {
this.Name = name,
this.Surname = surname,
this.Email = email,
this.Type = type,
this.Description = desc
}
}
卡片组件打字稿:
import { Component, Input, OnInit } from '@angular/core';
import { order } from 'src/app/shared models/order.model';
@Component({
selector: 'app-contact-card',
templateUrl: './contact-card.component.html',
styleUrls: ['./contact-card.component.css']
})
export class ContactCardComponent implements OnInit {
@Input()
item!: order;
constructor() { }
ngOnInit(): void {
}
}
卡片组件html:
<div class="card">
<h3>{{item.Name}} {{item.Surname}}</h3>
<div class="flex">
<p>{{item.Email}}</p>
<p>{{item.Type}}</p>
</div>
<p>{{item.Description}}</p>
</div>
当我插入字符串时,它说错误在我的 html 上
答案 0 :(得分:2)
是否有特殊需要使用 order
的类?类需要被实例化。如果它不包含方法并且没有明确的需要,我建议您改用 TS Interface。它允许进行类型检查,而不会产生类带来的“膨胀”。
export interface order {
Name!: string;
Surname!: string;
Email!: string;
Type!: string;
Description!: string;
}
然后,您可以在 Angular 模板中使用安全导航运算符 ?.
来避免潜在的 undefined
错误。它会在尝试访问其属性之前检查该对象是否已定义。
<div class="card">
<h3>{{item?.Name}} {{item?.Surname}}</h3>
<div class="flex">
<p>{{item?.Email}}</p>
<p>{{item?.Type}}</p>
</div>
<p>{{item?.Description}}</p>
</div>
答案 1 :(得分:2)
请检查 item
的值。它可能是 null
或 undefined
,这就是发生此错误的原因。为避免此错误,请尝试以下操作:
<div class="card">
<h3>{{item?.Name}} {{item?.Surname}}</h3>
<div class="flex">
<p>{{item?.Email}}</p>
<p>{{item?.Type}}</p>
</div>
<p>{{item?.Description}}</p>
</div>
阅读Safe navigation operator (?.) or (!.) and null property paths了解更多详情。