ES6-函数的拓展

2022-06-01  本文已影响0人  你怀中的猫

1、形参默认参数

function fn1(x){
     var a = x || 10;  //js中的默认赋值
}
function fn2(x = 10){
     var a = x; // es6 中的写法
     console.log(x);
}
fn2(11);
 function fn(x){
        var x = 0;
        // let x = 0; // 报错
        console.log(x); // x被改变为0
}
fn(111);

2、箭头函数

//命名函数
function fn1(a) {
     console.log(a);
}
//字面量形式
var fn2 = function (a) {
     console.log(a);
}
   let fn3 = (a, b) => {
        console.log(a, b);
    }

    fn3(11, 22)

    //一个参数,小括号可以省略
    let fn4 = a => {
        console.log(a);
    }
    fn4(333)

    //没有参数,不可以省略括号。
    let fn5 = () => {
        console.log(123);
    }
    fn5();

3、有返回值的函数

 function aa() {
        return 324;
}
let aa1 = () => 324;
  function b() {
        return function (a) {
            return a + 1;
        }
    }
let bb = () => a => a + 1;

console.log(bb()(3));

4、一般绑定事件函数的时候,不要使用箭头函数

btn.onclick = function () {
        setInterval(function () {
            console.log(this);  //this指向window
        }, 3000)
}



btn.onclick = function () {
        setInterval(() => {
            console.log(this);  //this指向btn
        }, 3000)
}




btn.onclick = function () {
        //普通函数
        // btn1.onclick = function () {
        //     console.log(this);  //指向btn1
        // }

        //箭头函数
        btn1.onclick = () => {
            console.log(this);  //指向btn
        }
}

5、对象

    let obj = {
        say : function(){
            console.log(this);  // 指向obj
        },
        eat : ()=>{
            console.log(this);  //指向window
        }
    }

    obj.say();
    obj.eat();

6、构造函数

    function Ball(){
        this.say = function(){
            console.log(this);  //指向对象本身
        }
        this.eat = () =>{
            console.log(this);  //指向对象本身
        }
        console.log(this);  //指向对象本身
    }
    //给对象定义方法时,不要使用箭头函数

    //构造函数在定义的时候,this指向window
    //构造函数在实例化的时候,this指向对象本身
    var b1 = new Ball()
    b1.say()
    b1.eat()
    // console.log(b1); 

7、总结

上一篇下一篇

猜你喜欢

热点阅读