在ng build --prod期间无法解析验证指令中的所有参数

时间:2019-06-25 04:28:33

标签: javascript angular typescript angular-directive angular8

我遇到了以下问题,但没有找到任何解决方案。

我制定了一个自定义验证指令来验证唯一的永久链接。这段代码工作正常,但是当我尝试为生产创建版本时,它给了我以下错误:-

  

错误:无法解析以下参数的所有参数   中的UniquePermalinkValidatorDirective   E:/Manish/Projects/ampleAdmin/src/app/shared/permalink-validation.directive.ts:   ([object Object],?)。

permalink-validation.directive.ts

import { Directive } from '@angular/core';
import { AsyncValidator, AbstractControl, ValidationErrors, NG_ASYNC_VALIDATORS, AsyncValidatorFn } from '@angular/forms';
import { Observable, of } from 'rxjs';
import { map } from 'rxjs/operators';
import * as qs from 'qs';
import { PageService } from '../services/page.service';
import { IPage } from '../client-schema';

export function UniquePermalinkValidator(pageService: PageService, page: IPage): AsyncValidatorFn {
  return (ctrl: AbstractControl): Promise<ValidationErrors | null> | Observable<ValidationErrors | null> => {
    if (!(ctrl && ctrl.value)) { return null; }

    const cond: any = {
      where: {
        permalink: ctrl.value
      }
    };

    if (page && page.id) {
      cond.where.id = { nin: [page.id]};
    }
    const query = qs.stringify(cond, { addQueryPrefix: true });

    return pageService.getPageCount(query).pipe(
      map(res => {
        return res && res.count ? { uniquePermalink: true } : null;
      })
    );
  };
}

@Directive({
  selector: '[appUniquePermalink]',
  providers: [{ provide: NG_ASYNC_VALIDATORS, useExisting: UniquePermalinkValidatorDirective, multi: true }]
})
export class UniquePermalinkValidatorDirective implements AsyncValidator {

  constructor(private pageService: PageService, private page: IPage) { }

  validate(ctrl: AbstractControl): Promise<ValidationErrors | null> | Observable<ValidationErrors | null> {
    return UniquePermalinkValidator(this.pageService, this.page)(ctrl);
  }
}

page.component.ts

import { Component, OnInit, TemplateRef } from '@angular/core';
import * as _ from 'lodash';
import { NotifierService } from 'angular-notifier';
import { BsModalService, BsModalRef } from 'ngx-bootstrap/modal';
import { FormBuilder, FormGroup, Validators } from '@angular/forms';
import { IPage } from 'src/app/client-schema';
import { Utils } from 'src/app/shared/utils';
import { PageService } from 'src/app/services/page.service';
import { UniquePermalinkValidator } from 'src/app/shared/permalink-validation.directive';

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

  private notifier: NotifierService;

  pageForm: FormGroup;
  pageDetail: IPage;

  isAddFold = false;
  isEditFold = false;
  editFoldIndex = -1;

  constructor(
    private pageService: PageService,
    private notifierService: NotifierService,
    private modalService: BsModalService,
    private formBuilder: FormBuilder,
  ) {
    this.notifier = notifierService;
  }

  initPageForm() {
    this.pageForm = this.formBuilder.group({
      name: ['', [Validators.required, Validators.minLength(2), Validators.maxLength(250)]],
      permalink: ['', [Validators.required], UniquePermalinkValidator(this.pageService, this.pageDetail)],
      folds: [
        []
      ],
      data: null,
      status: true
    });
  }
}

我正在为“添加/编辑”页面使用单一表单,所以我必须要求记录详细信息才能允许在编辑页面时进行永久链接。

有什么方法可以将当前页面的详细信息传递给指令?

1 个答案:

答案 0 :(得分:0)

给出

export function UniquePermalinkValidator(pageService: PageService, page: IPage): AsyncValidatorFn {
  // ...
}

给出

@Directive({
  selector: '[appUniquePermalink]',
  providers: [{ provide: NG_ASYNC_VALIDATORS, useExisting: UniquePermalinkValidatorDirective, multi: true }]
})
export class UniquePermalinkValidatorDirective implements AsyncValidator {    
  constructor(private pageService: PageService, private page: IPage) {}
  // ...
}

假设IPage

唯一由

定义的
export interface IPage {
  id: number;
  // ...
}

然后UniquePermalinkValidatorDirective按照定义将不起作用,以上述方式失败。

interface仅在 type 空间中定义内容,而不在 value 空间中定义内容,因此没有任何运行时表现形式。这意味着它不能在值位置使用。

本质上,Angular的依赖项注入系统读取构造函数参数的 type 类型,当 value 空间中有一个相应命名的声明时,它将使用该相应命名的声明值作为注入令牌。

例如,以下

import {Injectable} from '@angular/core';

@Injectable() export class Service {
    constructor(http: Http) {}
}

也可以写

import {Inject} from '@angular/core';

export class Service {
    constructor(@Inject(Http) http: ThisTypeIsArbitraryWithRespectToInjection) {}
}

这意味着同一件事

请注意如何将Http作为参数传递给Inject。但是Inject(IPage)(其中IPageinterface)的格式是错误的。

@Inject(ProviderToken)的主要目的是允许您在诸如您这样的情况下垂直于修饰的参数的类型注入提供者。

因此,您需要类似

constructor(@Inject(PageProviderToken) page) {}

这意味着需要定义一个令牌,并使用它来注册可以注入的提供程序。

一个人可以而且应该仍然写

constructor(@Inject(PageProviderToken) page: IPage) {}

为了给参数指定类型,但类型与为参数注入的值无关。

例如

import {InjectionToken, NgModule} from '@angular/core';

export const PageProviderToken = new InjectionToken('PageProviderToken');

@NgModule({
  providers: [
    {
      provide: PageProviderToken,
      useFactory: anAppropriatePageLikeValue
    }
  ]
 }) export class // ...