11

我的计划是将表单的值存储在我的 ngrx 商店中,以允许我的用户在站点中导航并在他们愿意的情况下返回表单。这个想法是表单的值将使用 observable 从存储中重新填充。

这是我目前的做法:

constructor(private store: Store<AppState>, private fb: FormBuilder) {
    this.images = images;
    this.recipe$ = store.select(recipeBuilderSelector);
    this.recipe$.subscribe(recipe => this.recipe = recipe); // console.log() => undefined
    this.recipeForm = fb.group({
      foodName: [this.recipe.name], // also tried with an OR: ( this.recipe.name || '')
      description: [this.recipe.description]
    })
  }

商店被赋予了一个初始值,我已经看到它正确地通过了我的选择器函数,但是当我的表单被创建时,我认为该值没有返回。所以this.recipe仍然是未定义的。

这是错误的方法,还是我可以以某种方式确保在创建表单之前返回 observable?

4

2 回答 2

10

尽管添加另一层可能看起来更复杂,但通过将单个组件分成两部分来处理可观察对象要容易得多:容器组件和展示组件。

容器组件只处理可观察对象而不处理表示。来自任何可观察对象的数据通过@Input属性传递给表示组件,并使用async管道:

@Component({
  selector: "recipe-container",
  template: `<recipe-component [recipe]="recipe$ | async"></recipe-component>`
})
export class RecipeContainer {

  public recipe$: Observable<any>;

  constructor(private store: Store<AppState>) {
    this.recipe$ = store.select(recipeBuilderSelector);
  }
}

展示组件接收简单的属性并且不必处理可观察对象:

@Component({
  changeDetection: ChangeDetectionStrategy.OnPush,
  selector: "recipe-component",
  template: `...`
})
export class RecipeComponent {

  public recipeForm: FormGroup;

  constructor(private formBuilder: FormBuilder) {
    this.recipeForm = this.formBuilder.group({
      foodName: [""],
      description: [""]
    });
  }

  @Input() set recipe(value: any) {
    this.recipeForm.patchValue({
      foodName: value.name,
      description: value.description
    });
  }
}

使用容器和展示组件的概念是一个通用的 Redux 概念,并在展示和容器组件中进行了解释。

于 2017-02-20T00:30:54.097 回答
4

我可以想到两个选择...

选项1:

在显示表单的 html 上使用*ngIf

<form *ngIf="this.recipe">...</form>

选项 2:在模板中 使用异步管道并创建模型,如:

零件

model: Observable<FormGroup>;    
...
this.model = store.select(recipeBuilderSelector)
    .startWith(someDefaultValue)
    .map((recipe: Recipe) => {
        return fb.group({
            foodName: [recipe.name],
            description: [recipe.description]
        })
    })

模板

<app-my-form [model]="(model | async)"></app-my-form>

您将不得不考虑如何处理对商店和当前模型的更新。

于 2017-02-20T00:08:12.810 回答