如何使这个函数对空/空字符串更加“可防御”?
function getSecondPart(str) {
return str.split('-')[1];
}
答案 0 :(得分:7)
function getSecondPart(str) {
if(str === undefined ||
typeof str != 'string' ||
str.indexOf('-') == -1) return false;
return str.split('-')[1];
}
console.log(getSecondPart({}); // false
console.log(getSecondPart([]); // false
console.log(getSecondPart()); // false
console.log(getSecondPart('')); // false
console.log(getSecondPart('test')); // false
console.log(getSecondPart('asdf-test')); // test
答案 1 :(得分:1)
我会说:
function getSecondPart(str) {
if (typeof str !== "string" || str.indexOf("-") === -1) return false;
return str.split("-")[1];
}