鍍金池/ 問答/HTML/ 關(guān)于this和call的指向問題

關(guān)于this和call的指向問題

問題一:我在一個構(gòu)造函數(shù)里寫了setTime()方法和moveSnake方法,在setTime()里面用setInterval調(diào)用moveSnake方法,此時為什么this指向的是window?
問題二: 我在setTime()里面用setInterval(this.moveSnake.call(Snake),500);為什么返回的是圖片描述而不是圖片描述,我依然不能console.log(this.snakeArr)。
但是換了這種

(function(theThis){
    var that = theThis;
    that.timer = setTimeout(function() {
        that.moveSnake();            
    }, 500);
})(this);

就能讓this指到Snake這個構(gòu)造函數(shù)呢?
那為什么我直接把this當(dāng)成參數(shù)傳給setTimeout不行呢:

var timeTest = setTimeout(function(this) {
                this.moveSnake();    
            },500);

這個樣子就是Unexpected token this了
以下是這一部分的代碼,其他不相關(guān)的沒有貼出:

function Snake(id, score, speed, x, y){
    
    this.id = document.getElementById(id);
    this.ctx = this.id.getContext("2d");
    this.cellWidth = 10;    //每個格子的大小
    this.score = document.getElementById(score);
    this.speed = document.getElementById(speed);
    this.x = x;
    this.y = y;
    // 畫canvas大小 
    this.id.width = this.x * this.cellWidth;
    console.log(this.id.width);
    this.id.height = this.y * this.cellWidth;
    this.id.style.border = "1px solid black";
    this.setDirection();
}

Snake.prototype = {
    init: function() {
        this.snakeArr = [[1,parseInt(this.y/2)],[2,parseInt(this.y/2)]];    //蛇身長度。初始化時只有兩個長度,每一個點(diǎn)存了[x,y]兩個坐標(biāo),parseInt(this.y/2)是整個canvas的中間取整,length/push的是蛇頭,unshift的是蛇尾
        this.foodPosition = []; //儲存當(dāng)前食物的位置,這里每次都初始化為0
        this.direction = 1; //方向:右1,下2,左3,上4
        //畫畫布
        this.ctx.fillStyle ="#fff";
        this.ctx.fillRect(0,0,this.cellWidth*this.x,this.cellWidth*this.y);
    
        this.drawSnake();   //記得寫this
        this.drawFood();
        this.setTime();
    },
    //蛇的移動
    moveSnake: function(){
        console.log(this);  //window
        console.log(this.snakeArr);
    },
    //定時器
    setTime: function() {
        // setTimeout(this.moveSnake.call(Snake),500);  //為什么這樣指過去不行?

        (function(theThis){
            var that = theThis;
            that.timer = setTimeout(function() {
                that.moveSnake();            
            }, 500);
        })(this);
    },
    
}

回答
編輯回答
拼未來

this是關(guān)鍵字,不能作為形參的

var timeTest = setTimeout(function(this) {
                this.moveSnake();    
            },500);

所以會報Uncaught SyntaxError: Unexpected token this

2017年1月6日 04:55
編輯回答
逗婦乳

老生常談

1.函數(shù)內(nèi)部的this指向依賴于函數(shù)被調(diào)用的方式setInterval中的回調(diào)函數(shù)是在全局環(huán)境下調(diào)用的,因此this指向window

2.Function.ptototype.call綁定的是函數(shù)運(yùn)行時的this,這里你將this綁定到了Snake上,但是Snake是構(gòu)造函數(shù)而非實(shí)例,因此打印結(jié)果是Snake構(gòu)造函數(shù)

3.你把this當(dāng)參數(shù)傳進(jìn)IIFE,并賦給了另外一個變量,因此這個變量就是this

4.之所以直接傳this不行,是因?yàn)?code>setTimeout的回調(diào)函數(shù)本來就不會傳入?yún)?shù),因此你的形參this的值是undefined

解決方案有二
1.聲明一個變量保存this,回調(diào)函數(shù)中直接調(diào)用這個變量的方法
2.使用箭頭函數(shù),自動綁定當(dāng)前作用域的this

2017年12月19日 03:54