这是我的解决方案。
我想突出显示表单中由其他用户实时更改的数据。
在我的 HTML 表单中,我用 Angular 组件替换了原生 html 元素。对于每种类型的原生元素,我都创建了一个支持 Highlight 的新 Angular 组件。每个组件都实现ControlValueAccessor Angular 接口。
在父表单中,我替换了本机元素:
<input [(ngModel)]="itinerary.DetailWeather" />
通过我的自定义元素:
<reactive-input [(ngModel)]="itinerary.DetailWeather"></reactive-input>
当 Angular 为父表单调用detectChanges()时,它会检查表单组件用作输入的所有数据。
如果一个组件是一个 ControlValueAccessor,并且在应用程序模型中发生了变化,它会调用方法ControlValueAccessor。写值(值)。它是当内存中的数据发生变化时调用的方法。我用它作为一个钩子来临时更新样式以添加高光。
这是自定义元素。我使用 Angular Animations 更新边框颜色并淡化回原始颜色。
import { Component, Input, forwardRef, ChangeDetectorRef } from '@angular/core';
import { ControlValueAccessor, NG_VALUE_ACCESSOR } from '@angular/forms';
import { trigger, state, style, animate, transition, keyframes } from '@angular/animations';
@Component(
{
selector: 'reactive-input',
template: `<input class="cellinput" [(ngModel)]="value" [@updatingTrigger]="updatingState" />`,
styles: [`.cellinput { padding: 4px }`],
animations: [
trigger(
'updatingTrigger', [
transition('* => otherWriting', animate(1000, keyframes([
style ({ 'border-color' : 'var( --change-detect-color )', offset: 0 }),
style ({ 'border-color' : 'var( --main-color )', offset: 1 })
])))
])
],
providers: [ { provide: NG_VALUE_ACCESSOR, useExisting: forwardRef(() => ReactiveInputComponent), multi: true } ]
})
export class ReactiveInputComponent implements ControlValueAccessor {
public updatingState : string = null;
_value = '';
// stores the action in the attribute (onModelChange) in the html template:
propagateChange:any = ( change ) => {};
constructor( private ref: ChangeDetectorRef ) { }
// change from the model
writeValue(value: any): void
{
this._value = value;
this.updatingState = 'otherWriting';
window.setTimeout( () => {
this.updatingState = null;
}, 100 );
// model value has change so changes must be detected (case ChangeDetectorStrategy is OnPush)
this.ref.detectChanges();
}
// change from the UI
set value(event: any)
{
this._value = event;
this.propagateChange(event);
this.updatingState = null;
}
get value()
{
return this._value;
}
registerOnChange(fn: any): void { this.propagateChange = fn; }
registerOnTouched(fn: () => void): void {}
setDisabledState?(isDisabled: boolean): void {};
}