zl程序教程

您现在的位置是:首页 >  后端

当前栏目

手写js中的bind

JS 手写 bind
2023-09-14 09:07:43 时间
<!DOCTYPE html>
<html lang="en">
    <head>
        <meta charset="UTF-8" />
        <meta http-equiv="X-UA-Compatible" content="IE=edge" />
        <meta name="viewport" content="width=device-width, initial-scale=1.0" />
        <title>Document</title>
    </head>
    <body>
        <script>
            // 手写实现 bind
            Function.prototype.bind =
                // Function.prototype.bind ||
                function (context) {
                    let args1 = Array.prototype.slice.call(arguments, 1);
                    let self = this;
                    return function () {
                        let args2 = Array.prototype.slice.call(arguments);
                        console.log([...args1, ...args2]);
                        return self.apply(context, [...args1, ...args2]);
                    };
                };
            var name = "xiaoming";
            let obj = {
                name: "xiaohong",
                getName: function () {
                    console.log(this.name);
                },
            };
            obj.getName(); // xiaohong

            let getName1 = obj.getName;
            getName1(); // xiaoming

            let getName2 = obj.getName.bind(obj);
            getName2(); // xiaohong

            let getName3 = obj.getName.bind(obj)(); // xiaohong

            let getName4 = obj.getName.bind(obj, 111)(); // [111] xiaohong

            let getName5 = obj.getName.bind(obj, 111, 222)(); // [111, 222] iaohong

            let getName6 = obj.getName.bind(obj, 111, 222)(333); // [111, 222, 333]  xiaohong

            obj.getName.call(obj); // xiaohong
        </script>
    </body>
</html>