我正在尝试创建一个函数,说:
function logType()
{
console.log(typeof (this))
}
我想对任何类型的任何变量进行转换
var a = function() { return 1; }
var b = 4;
var c = "hello"
a.logType() // logs in console : "function"
b.logType() // logs in console : "number"
c.logType() // logs in console : "string"
(当然是一个例子)
有可能吗?
最佳答案
您可以使用call
,然后稍微更改一下功能,否则大多数检查将返回“ object”:
function logType() {
var type = ({}).toString.call(this).match(/\s([a-zA-Z]+)/)[1].toLowerCase();
console.log(type);
}
var a = function() { return 1; }
var b = 4;
var c = "hello"
logType.call(a) // function
logType.call(b) // number
logType.call(c) // string
DEMO
编辑
如果要更改原型,可以执行以下操作:
if (!('logType' in Object.prototype)) {
Object.defineProperty(Object.prototype, 'logType', {
value: function () {
var type = ({}).toString.call(this).match(/\s([a-zA-Z]+)/)[1].toLowerCase();
console.log(type);
}
});
}
a.logType() // function
b.logType() // number
c.logType() // string
DEMO