對一個值使用typeof運算元可能會回傳某個字串:
「undefined」-如果這個值未定義
「boolean」-如果這個值是布林值
「string 」—如果這個值是字串
「number」—如果這個值是數值
「object」—如果這個是物件或null
「function」—如果這個值是函數
常用的typeof運算子的回傳值包括number、string、boolean、undefined 、object和function。如:
var n;
n = 1;
console.log(typeof n); // "number"
n = "1";
console.log(typeof n); // "string"
n = false;
console.log(typeof n); // "boolean"
n = { name: "obj" };
console.log(typeof n); // "object"
n = new Number(5);
console.log(typeof n); // "object "
n = function() { return; };
console.log(typeof n); // "function"
這幾個例子說明,typeof運算子的運算元可以是變數(message),也可以是數值字面量。請注意,typeof是一個運算子而不是函數,因此範例中的圓括號不是必須的(儘管可以使用)。
從上面的例子中,我們發現用Number()創建的數字也會被typeof判定為對象而返回值“object”,這是因為構造函數返回的都是對象,那麼如果我們想要區分數字物件(Number)、字串物件(String)、陣列物件(Array)、Function物件、日起物件(Date)、布林物件(Boolean)以及錯誤物件(Error)等JavaScript內建物件時,該怎麼辦呢?這裡可以呼叫物件的toString方法,如:
程式碼如下:
var n, res;
n = new Number(66);
res = Object.prototype.toString.call(n);
console.log(res); // "[object Number ]"
n = new String("string");
res = Object.prototype.toString.call(n);
console.log(res); // "[object String ]"
n = [];
res = Object.prototype.toString.call(n);
console.log(res); // "[object Array]"
// ...