我正在尝试自动化JS库中的特定模块,并且陷入了我想要定义一组属性的位置(假设一个对象作为类的构造参数)。
/**
* This function initiates world peace!
* @constructor
* @param {object} defaults - The options to initiate peace.
* @param {number} defaults.issues - The number of issues being taken up.
* @param {string} defaults.source - The name of the location where process starts.
*/
var WorldPeace = function (defaults) {
// code here
};
如果在一个地方定义了建筑的所有属性,那就很好了。不幸的是,我的代码有许多模块有助于构造属性。可以说,在代码的其他部分(在后面的文件中)导致具有更多属性
* @param {Date} defaults.start - The date when the process started.
* @param {Date} defaults.stop - The date when the process should stop.
如何添加我之前为WorldPeace
函数定义的原始属性集?做一些像mixin或子类化属性的东西会过火!因此,如果我可以简单地注入属性列表定义,那就太棒了。
答案 0 :(得分:1)
最简单的方法是使用记录类型:
/**
* This function initiates world peace!
* @constructor
* @param {{issues: number, source: string}} defaults - options to initiate peace.
*/
var WorldPeace = function (defaults) {
// code here
};
您还可以实现一个界面:
/** @interface */
var WordPeaceDefaults;
/** @type {number} */
WorldPeaceDefaults.prototype.issues;
/** @type {string} */
WorldPeaceDefaults.prototype.source;
/**
* This function initiates world peace!
* @constructor
* @param {WorldPeaceDefaults} defaults - options to initiate peace.
*/
var WorldPeace = function (defaults) {
// code here
};
/**
* @constructor
* @implements {WorldPeaceDefaults}
*/
function MyWorldPeaceDefaults() {}
/** @type {number} */
MyWorldPeaceDefaults.prototype.issues = 0;
/** @type {string} */
MyWorldPeaceDefaults.prototype.source = '';
WordPeace(new MyWorldPeaceDefaults);
答案 1 :(得分:1)
另一种方法是使用typedef:
/**
* @typedef {{
* issues: number,
* source: string
* }}
*/
var WorldPeaceOptions;
/**
* @constructor
* @param {WorldPeaceOptions} defaults
*/
var WorldPeace = function (defaults) {
// code here
};