我在javascript中添加了一个关于Number的方法。现在我想在typescript中使用这个方法,但我不知道如何通过定义文件添加它。
我的方法是
Number.prototype.formatMoney = function(c, d, t){
var n = this,
c = isNaN(c = Math.abs(c)) ? 2 : c,
d = d == undefined ? "." : d,
t = t == undefined ? "," : t,
s = n < 0 ? "-" : "",
i = parseInt(n = Math.abs(+n || 0).toFixed(c)) + "",
j = (j = i.length) > 3 ? j % 3 : 0;
return s + (j ? i.substr(0, j) + t : "") + i.substr(j).replace(/(\d{3})(?=\d)/g, "$1" + t) + (c ? d + Math.abs(n - i).toFixed(c).slice(2) : "");
};
我正在考虑添加此定义文件,但它给出了错误&#39;重复的标识符编号&#39;
declare module Number{
export var formatMoney:Function;
}
答案 0 :(得分:0)
除了在Number
原型上定义方法之外,还需要在Number
接口上定义:
interface Number {
formatMoney(c, d, t): string;
}
您可以在应用程序的任何位置定义它,TypeScript会通过Declaration Merging将其与现有的Number
界面合并。
顺便说一下,我高度建议你给函数中的变量赋予比c
,d
,t
,{{1}更好的名称},s
等等......由于变量没有描述性名称,因此开发人员需要更长时间才能理解这些变量的含义,并使代码的可维护性降低。
此外,我建议您提供参数类型信息并使用default parameters:
j
另外,请注意函数中未声明interface Number {
formatMoney(value: number, decimalMark?: string, thousandsSeparator?: string): string;
}
Number.prototype.formatMoney = function(value: number, decimalMark = ".", thousandsSeparator = ",") {
// etc...
};
。