我如何检查如果一个变量是JavaScript字符串?
我试过了,不管用……
var a_string = "Hello, I'm a string.";
if (a_string typeof 'string') {
// this is a string
}
我如何检查如果一个变量是JavaScript字符串?
我试过了,不管用……
var a_string = "Hello, I'm a string.";
if (a_string typeof 'string') {
// this is a string
}
当前回答
你很接近:
if (typeof a_string === 'string') {
// this is a string
}
相关注意:如果用new string ('hello')创建字符串,上述检查将不起作用,因为类型将改为Object。有复杂的解决方案来解决这个问题,但最好避免以这种方式创建字符串。
其他回答
结合前面的答案,可以提供以下解决方案:
if (typeof str == 'string' || str instanceof String)
or
Object.prototype.toString.call(str) == '[object String]'
我个人的方法(似乎适用于所有情况)是测试只会出现在字符串中的成员是否存在。
function isString(x) {
return (typeof x == 'string' || typeof x == 'object' && x.toUpperCase && x.substr && x.charAt && x.trim && x.replace ? true : false);
}
参见:http://jsfiddle.net/x75uy0o6/
我想知道这种方法是否有缺陷,但它多年来一直很有效。
检查null或未定义在所有情况下a_string
if (a_string && typeof a_string === 'string') {
// this is a string and it is not null or undefined.
}
现在我认为最好使用typeof()的函数形式,所以……
if(filename === undefined || typeof(filename) !== "string" || filename === "") {
console.log("no filename aborted.");
return;
}
下面的表达式返回true:
'qwe'.constructor === String
下面的表达式返回true:
typeof 'qwe' === 'string'
下面的表达式返回false (sic!):
typeof new String('qwe') === 'string'
下面的表达式返回true:
typeof new String('qwe').valueOf() === 'string'
最好和正确的方式(恕我直言):
if (someVariable.constructor === String) {
...
}