我试图找到一种向Angular(Typescript)中的Date原型添加一些方法的方法,并通过GitHub找到了下面的解决方案,效果很好。

date.extensions.ts

export {}

// DATE EXTENSIONS
// ================

declare global {
   interface Date {
      addDays(days: number, useThis?: boolean): Date;
      isToday(): boolean;
      clone(): Date;
      isAnotherMonth(date: Date): boolean;
      isWeekend(): boolean;
      isSameDate(date: Date): boolean;
   }
}

Date.prototype.addDays = (days: number): Date => {
   if (!days) return this;
   console.log(this);
   let date = this;
   date.setDate(date.getDate() + days);

   return date;
};

Date.prototype.isToday = (): boolean => {
   let today = new Date();
   return this.isSameDate(today);
};

Date.prototype.clone = (): Date => {
   return new Date(+this);
};

Date.prototype.isAnotherMonth = (date: Date): boolean => {
   return date && this.getMonth() !== date.getMonth();
};

Date.prototype.isWeekend = (): boolean => {
   return this.getDay() === 0 || this.getDay() === 6;
};

Date.prototype.isSameDate = (date: Date): boolean => {
   return date && this.getFullYear() === date.getFullYear() && this.getMonth() === date.getMonth() && this.getDate() === date.getDate();
};


参考:https://github.com/Microsoft/TypeScript/issues/7726#issuecomment-234469961

问题:有人可以告诉我为什么在TS文件的开头写入export {}以及为什么要在此处添加吗?

最佳答案

如果不从date.extensions.ts导出任何内容,则文件将不考虑模块
你将有三个错误

error TS2669: Augmentations for the global scope can only be directly nested in external modules or ambient module declarations.

error TS2306: File 'date.extensions.ts' is not a module.

and an error about the Date type


只是export {}用于使filw为模块,因为模块已导出了某些内容

10-05 21:07
查看更多