前端面試題整合(JS從看懂到看開)

解釋一下爲何[ ] == ![ ]   // ---> true

首先看一張圖


![ ] 是 false
原式:[ ] == false
根據第八條,false通過tonumber()轉換爲0
原式:[ ] == 0
根據第十條,[ ]通過ToPrimitive()轉換爲'  '
原式:' ' == 0
根據第六條
原式:0 == 0







嘗試實現new

        function ObjectClass() {//對象
            console.log(arguments[0])
        }
        ObjectClass.prototype.constructor = ObjectClass

        function create() {
            // 創建一個空的對象
            var obj = {}
            // 獲得構造函數
            var _constructor = this
            // 鏈接到原型
            obj.__proto__ = _constructor.prototype
            // 綁定 this,執行構造函數
            var result = _constructor.apply(obj, arguments)
            // 確保 new 出來的是個對象
            return typeof result === 'object' ? result : obj
        }
        create.call(ObjectClass, 'hello world')//實例化

拓展typeof功能使其支持更多類型(array,object,null區分),並解釋一下typeof null爲何是object

        function myTypeOf(target) {
            var _type = typeof (target)
            var temp = {
                "[object Object]": 'object',
                "[object Array]": 'array',
                "[object Number]": 'number',
                "[object String]": 'string',
                "[object Boolean]": 'boolean'
            }
            if (target === null) {
                return 'null'
            } else if (_type == 'object') {
                var str = Object.prototype.toString.call(target)//根據toString區分
                return temp[str]
            } else {
                return _type
            }
        }
        console.log(myTypeOf('hello')) //string
        console.log(myTypeOf(111)) // number
        console.log(myTypeOf(true)) // boolean
        console.log(myTypeOf({})) // object
        console.log(myTypeOf([])) // array
        console.log(myTypeOf(null)) // null
        console.log(myTypeOf(undefined)) // undefined
        console.log(myTypeOf(Symbol())) // symbol

typeof null爲何是object

因爲在早期js初版本中,操作系統使用的是32位,出於性能考慮,使用低位存儲變量類型,object的類型前三位是000,而null是全0,從而系統將null誤判爲object

instanceof是什麼?嘗試實現一下

用官話來講:instanceof用於檢測構造函數的prototype屬性是否出現在某個實例對象的原型鏈上

通俗來講,a instanceof b也就是判斷a是否是由b實例化得來的

實現:

        function ObjectClass() {}
        ObjectClass.prototype.constructor = ObjectClass
        var _objectClass = new ObjectClass()

        function myInstanceof(orgProto, tag) { //org前者,實例化對象, tag後者,類
            var tagProto = tag.prototype
            orgProto = orgProto.__proto__
            for (;;) { //死循環查詢原型鏈上是否有類的原型
                if (orgProto === null) {
                    return false
                }
                if (orgProto === tagProto) {
                    return true
                }
                orgProto = orgProto.__proto__
            }
        }
        console.log(myInstanceof(Object, Function)) // true
        console.log(myInstanceof(Object, Object)) // true
        console.log(myInstanceof(String, Object)) // true
        console.log(myInstanceof(_objectClass, Object)) // true
        console.log(myInstanceof(String, String)) // false
        console.log(myInstanceof(Boolean, Boolean)) // false

解釋以下代碼分別在控制檯顯示什麼,並簡單說明

有一個對象Car,分別對以下四種情況進行作答

Car.prototype.name = 'BMW'

function Car() {}

1.實例化對象時打印BMW,因爲Car.prototype.name = 'BMW',實例化的car本身沒有name屬性,於是會在Car的原型上找。此時將Car.prototype.name = 'Benz',實例化後的car.name也會等於Benz,因爲name是基本數據類型(原始值),當值發送變化,實例化後的對象也會改變

        var car = new Car()
        console.log(car.name) //BMW
        Car.prototype.name = 'Benz'
        console.log(car.name) //Benz

2.實例化對象時打印Benz,因爲在實例化之前就已經改變構造函數原型上的name值

        Car.prototype.name = 'Benz'
        var car = new Car()
        console.log(car.name) //Benz

3.第一個log的BMW與上述一樣,第二個log依然打印BMW的原因是,這裏將Car.prototype直接改變成另一個對象,由於對象是引用數據類型(引用值),指向的是內存地址而不是值,new之前和new之後的實例對象引用的name地址不同

        var car = new Car()
        console.log(car.name) //BMW
        Car.prototype = {
            name: 'Benz'
        }
        console.log(car.name) //BMW

4.和上述相同,原因是修改了prototype,改變的是引用地址,new之前和new之後的實例對象引用的name地址不同

        Car.prototype = {
            name: 'Benz'
        }
        var car = new Car()
        console.log(car.name) //Benz

寫一個函數,計算字符串Unicode總長度(例如:abcd,打印4,qwerdf,打印6)

需要注意的是,英文字符佔1個字節,中文字符佔兩個字節

        function unicodeLength(str) {
            for (var i = 0, count = 0; i < str.length; i++) {
                console.log(str.charCodeAt(i))
                if (str.charCodeAt(i) > 255) { //中文字符
                    count += 2
                } else { //英文字符
                    count++
                }
            }
            return count
        }
        console.log(unicodeLength('hello,1024,你好')) //17

實現一下js中window自帶的isNaN()函數

注意點:如果直接使用NaN==NaN來判斷,會返回false,需要將NaN轉換成字符串,再來判斷

        isNaN('asda') //window下的原函數
        console.log(isNaN(13)) //false
        console.log(isNaN('aaa')) //true

        function myIsNaN(number) {
            return "" + Number(number) == "NaN" ? true : false
        }
        console.log(myIsNaN(32323)) //false
        console.log(myIsNaN('aaa')) //true

實現數組push()方法

        function myPush() {
            for (var i = 0; i < arguments.length; i++) {
                this[this.length] = arguments[i]
            }
            return this.length
        }
        Array.prototype.myPush = myPush
        var list = [1, 2, 3, 4, 5]
        var item = 6
        console.log(list.myPush(item)) //6
        console.log(list) //[1, 2, 3, 4, 5, 6]

實現數組亂序(提示:使用Array.sort)

Array.sort((a,b)=>{})中a-b升序,b-a降序

        Array.prototype.random = random

        function random() {
            this.sort(function () {
                return Math.random() - 0.5
            })
            return this
        }
        var list = [1, 2, 3, 4, 5, 6, 7, 8, 9]
        console.log(list.random())//[3, 2, 6, 4, 9, 8, 1, 5, 7] 結果每次都不同

以下代碼在控制檯顯示什麼?說明原因

        var obj = {
            "0": 'a',
            "1": 'b',
            "2": 'c',
            "length": 3,
            "push": Array.prototype.push
        }
        obj.push(1, 2, 3)
        console.log(obj)

打印結果是

        {
            0: "a"
            1: "b"
            2: "c"
            3: 1
            4: 2
            5: 3
            length: 6
        }

原因:說明原因之前先看一段Array.prototype.push的源碼:

function ArrayPush () {  
var n = TO_UNIT32(this.length);  
var m = %_ArgumentsLength();  
for (var i = 0; i < m; i++) {
    this[i + n ] = %_Arguments(i);
  }  this.length = n + m;
  return this.length;
}

push的原理是在原對象後面將push的內容遍歷進去,獲取this.length並且在此基礎上加上push的個數,這就不難解釋爲何push了三個數後length爲6

解釋以下代碼打印爲undefined的原因

        var num = 123;
        num.item = 'abc'
        console.log(num.item) //undefined

第一步:var num = 123

第二步:num.item = 'abc'//隱式轉換,相當於new Number(num).item = 'abc'(包裝類生成引用類型數據),此時底層會判定此時的num是原始值,不存在屬性值,所以執行delete(num.item)

第三步:打印undefined

使用JS原生實現function中的call,apply,bind函數

call:

        Function.prototype.myCall = function () {
            var _this = arguments[0] || window; //第一項是需要this指向的對象
            _this._function = this //this是要執行的函數,改變指向爲_this
            var args = [] //把除this之外的所有參數放在args中
            for (var i = 1; i < arguments.length; i++) { //i = 1,第二項到最後一項是參數
                args[i - 1] = arguments[i]
            }
            return eval("_this._function(" + args + ")") //eval能將數組隱式拆分,效果與join相似,但二者區別很大,return將函數執行結果返回
            delete _this._function //執行完成後刪除當前_function,這個_function用來放this
        }
        var a = 'window'
        var obj1 = {
            a: 'obj1',
            fn: function () {
                console.log(this.a)
                console.log(arguments)
            }
        }
        var obj2 = {
            a: 'obj2'
        }
        obj1.fn.myCall(obj2, 1, 2, 3, 4) //obj2  arguments[1, 2, 3, 4]
        obj1.fn.myCall(this, 3, 2, 1) //window  arguments[3, 2, 1]

apply(調用上面的myCall實現即可):

        Function.prototype.myApply = function () {
            var _this = arguments[0] || window; //第一項是需要this指向的對象
            _this._function = this //this是要執行的函數,改變指向爲_this
            return eval("_this._function.myCall(_this, " + arguments[1] + ")") //eval能將數組隱式拆分,效果與join相似,但二者區別很大,return將函數執行結果返回
            delete _this._function //執行完成後刪除當前_function,這個_function用來放this
        }
        var a = 'window'
        var obj1 = {
            a: 'obj1',
            fn: function () {
                console.log(this.a)
                console.log(arguments)
            }
        }
        var obj2 = {
            a: 'obj2'
        }
        obj1.fn.myApply(obj2, [1, 2, 3, 4]) //obj2  arguments[1, 2, 3, 4]
        obj1.fn.myApply(this, [3, 2, 1]) //window  arguments[3, 2, 1]

bind(繼續調用上面myApply):

        Function.prototype.myBind = function () {
            var t = this;
            var _this = arguments[0] || window; //第一項是需要this指向的對象
            var args = Array.prototype.slice.myApply(arguments, [
                1], ) //這項的目的是爲了去除第一項arguments[0],就與上面的myCall中的遍歷作用相同,Array.prototype.slice傳一個參數,slice(start,end)表示刪除第start到end項並返回刪除後的數組,這裏我們只用截取,不用刪除,這裏是刪除第一項(由於用的是myApply,第二個參數是數組所以用[1])並返回刪除後的數組
            return function () {
                return t.myApply(_this, args)
            }
        }
        var a = 'window'
        var obj1 = {
            a: 'obj1',
            fn: function () {
                console.log(this.a)
                console.log(arguments)
            }
        }
        var obj2 = {
            a: 'obj2'
        }
        obj1.fn.myBind(obj2, 1, 2, 3, 4)() //obj2  arguments[1, 2, 3, 4]
        obj1.fn.myBind(this, 3, 2, 1)() //window  arguments[3, 2, 1]

對mvvm,mvp和mvc的理解

Model–View–ViewModel(MVVM),Model-View-Presenter(MVP)和Model–View-Controller(MVC) 都是軟件架構設計模式

相同的地方

  • Model 是指任何一個領域模型(domain model),一般做數據處理,可以理解爲數據庫,用來存放應用的所有數據對象。模型不必知曉視圖和控制器的細節,模型只需包含數據及直接和這些數據相關的邏輯。任何事件處理代碼、視圖模版,以及那些和模型無關的邏輯都應當隔離在模型之外,它代表了真實情況的內容(一個面向對象的方法),或表示內容(以數據爲中心的方法)的數據訪問層
  • View就是用戶界面(UI),視圖層是呈現給用戶的,用戶與之產生交互。在javaScript應用中,視圖大都是由html、css和JavaScript模版組成的。除了模版中簡單的條件語句之外,視圖不應當包含任何其他邏輯。事實上和模型類似,視圖也應該從應用的其他部分中解耦出來

不同的地方

  • MVC的Controller控制器是模型和視圖的紐帶。控制器從視圖獲得事件和輸入,對它們進行處理,並相應地更新視圖。當頁面加載時,控制器會給視圖添加事件監聽,比如監聽表單提交和按鈕單擊。然後當用戶和應用產生交互時,控制器中的事件觸發器就開始工作。
  • MVVM的ViewModel是一個公開公共屬性和命令的抽象的view。取代了 MVC 模式的 controller,或 MVP 模式的任命者(presenter),MVVM 有一個驅動。 在 viewmodel 中,這種驅動傳達視圖和數據綁定的通信。此 viewmodel 已被描述爲該 model 中的數據的狀態。
  • MVP的Presenter負責邏輯的處理,在MVP中View並不直接使用Model,它們之間的通信是通過Presenter來進行的,所有的交互都發生在Presenter內部,而 在MVC中View會直接從Model中讀取數據而不是通過Controller。

談談對前端頁面渲染的理解(過程,原理,性能,重繪和迴流)

頁面渲染分爲以下步驟
1. 處理HTML語句標籤並構建 DOM 樹
2. 處理CSS語句並構建CSSOM樹
3. 將處理好的DOM與CSSOM合併成一個渲染樹
4. 根據渲染樹來佈局,計算每個節點的位置樣式等等
5. 調 GPU(顯卡)繪製頁面,合成圖層,最後顯示在瀏覽器




在處理CSSOM時,會暫時堵塞DOM渲染,並且扁平層級關係有利於渲染速度,越詳細的樣式選擇器,會導致頁面渲染越慢
CSS加載會影響JS文件或語句加載,JS需要等待CSS解析完畢後運行

document中的DOMContentLoaded和Load的區別​​:前者只需HTML加載完成後,就會觸發,後者需要等HTML,CSS,JS都加載完成纔會觸發​​​​​

圖層概念:普通文檔流就是一個圖層,特定的屬性可以生成一個新的圖層。 不同的圖層渲染互不影響,所以對於某些頻繁需要渲染的建議單獨生成一個新圖層,提高性能。但也不能生成過多的圖層,會引起反作用
以下CSS屬性可以生成新圖層:

  • 3D 變換:translate3d、translateZ
  • will-change
  • video、iframe 標籤
  • 通過動畫實現的 opacity 動畫轉換
  • position: fixed

重繪(Repaint)和迴流(Reflow)
重繪是當節點需要更改外觀而不會影響佈局的,比如改變color就叫稱爲重繪迴流是佈局或者幾何屬性需要改變就稱爲迴流。
迴流必定會發生重繪,重繪不一定會引發迴流。
迴流所需的成本比重繪高的多,改變深層次的節點很可能導致父節點的一系列迴流。


所以以下幾個動作可能會導致性能問題:

  • 改變 window 大小
  • 改變字體
  • 添加或刪除樣式
  • 文字改變
  • 定位或者浮動
  • 盒模型

如何減少重繪和迴流

  • 使用 translate 替代 top
  • 使用 visibility 替換 display: none ,因爲前者只會引起重繪,後者會引發 迴流(改變了佈局)
  • 把DOM離線後修改,比如:先把DOM給display:none(迴流),然後你修改100次,然後再把它顯示出來
  • 不要把 DOM 結點的屬性值放在一個循環裏當成循環裏的變量
  • 不要使用 table 佈局,可能很小的一個小改動會造成整個 table 的重新佈局
  • 動畫實現的速度的選擇,動畫速度越快,迴流次數越多,也可以選擇使用requestAnimationFrame
  • CSS 選擇符從右往左匹配查找,避免 DOM 深度過深
  • 將頻繁運行的動畫變爲圖層,圖層能夠阻止該節點回流影響別的元素。比如對 於 video 標籤,瀏覽器會自動將該節點變爲圖層。

談談對前端繼承的理解

原型鏈繼承,子類實例繼承的屬性有,子類構造函數的屬性,父類構造函數的屬性,父類原型上的屬性
缺點:無法向父類傳參,當父類原型上的屬性改變時,所以子類實例相對應的屬性都會對應改變

        function Father() {
            this.name = "father";
            this.sex = "man"
        }
        Father.prototype.hobby = 'fish'

        function Son() {
            this.name = "son";
        }
        // 原型鏈繼承
        Son.prototype = new Father()
        var son1 = new Son()
        var son2 = new Son()
        Father.prototype.hobby = 'dog' //缺點,修改父類prototype上的屬性時,所有子類都會隨之修改
        console.log(son1.hobby) // dog
        console.log(son2.hobby) // dog
        console.log(son1 instanceof Father) // true

構造函數繼承(通過call,apply),子類可繼承多個父類,可傳參給父類
缺點:每個實例都有父類的構造函數,父類prototype上的屬性無法繼承

        // 構造函數繼承(通過call,apply)
        function Father() {
            this.name = "father";
            this.sex = "man"
        }
        Father.prototype.hobby = 'fish'
        function Son(sex) {
            Father.call(this, sex) //可繼承多個父類,但是每個實例都有父類的構造函數
            this.name = "son";
        }
        var son = new Son('woman')
        console.log(son.sex) //woman,可傳參給父類
        console.log(son.hobby) //undefined,缺點,父類prototype上的屬性無法繼承
        console.log(son instanceof Father) // false

組合繼承,上述兩者的結合,解決了上面的缺點和問題(常用)
缺點:Father.call()和new Father()執行了兩次父類構造函數,增加了性能損耗,父類的原型上的constructor指向了子類,此時需要在實例化父類(new Father)後在實例化子類(new Son)之前添加一句話:Father.prototype.constructor = Father

        // 組合繼承
        function Father(sex) {
            this.name = "father";
            this.sex = sex
        }
        Father.prototype.hobby = 'fish'

        function Son(sex) {
            Father.call(this, sex) //可繼承多個父類
            this.name = "son";
        }
        Son.prototype = new Father()
        Father.prototype.constructor = Father //解決父類的原型上的constructor指向了子類
        var son = new Son('woman')
        console.log(son.sex) //woman,可傳參給父類
        console.log(son.hobby) //fish
        console.log(son instanceof Father) // true

原型式繼承,和Object.create相似,通過函數進行繼承,會繼承父類所有屬性
缺點:父類原型上的屬性發生變化時,所有子類對應屬性都會改變,子類無法直接修改屬性,複用性較差

        // 原型式繼承
        function Father() {
            this.name = "father";
            this.sex = 'man'
        }
        Father.prototype.hobby = 'fish'

        function Son() {
            this.name = "son";
        }

        function inherit(father) {
            function Fn() {}
            Fn.prototype = father;
            return new Fn() //類似於複製了father這個對象
        }
        var father = new Father()
        var son1 = inherit(father)
        Father.prototype.hobby = 'dog' //缺點,修改父類prototype上的屬性時,所有子類都會隨之修改
        var son2 = inherit(father)
        console.log(son1.sex) //man
        console.log(son1.hobby) //dog
        console.log(son2.hobby) //dog
        console.log(son1 instanceof Father) // true

寄生式繼承,繼承父類所有屬性,並且可以添加子類自己的屬性方法
缺點:代碼複用率低

        function Father(sex) {
            this.name = "father";
            this.sex = sex //實例傳參
        }
        Father.prototype.hobby = 'fish'

        function Son() {
            this.name = "son";
        }
        Object.prototype.myCreate = function (obj) {//實現Object.create
            function Fn() {}
            Fn.prototype = obj;
            return new Fn()
        }

        function inherit(father) {
            var _father = Object.myCreate(father)//克隆對象
            _father.getInfo = function () {//增強子類,修改屬性,產生子類獨有的方法和屬性,但是耦合高,複用性差,不同子類的寫法各不同
                console.log(_father.name)
                console.log(_father.hobby)
                console.log(_father.sex)
            }
            return _father;
        }
        var father = new Father('woman')
        var son = inherit(father)
        son.getInfo() //father,fish,woman

寄生式組合繼承,繼承父類所有屬性,解決調用兩次父類構造函數問題:一次是在創建子類型原型,一次在子類內部(理論上是最理想的繼承)

        // 寄生式組合繼承
        function Father(sex) {
            this.name = "father";
            this.sex = sex //實例傳參
        }
        Father.prototype.hobby = 'fish'
        Father.prototype.getName = function () {
            console.log(this.name)
        }

        function Son(sex) {
            console.log(this.superClass) //Father
            Father.call(this, sex); //構造函數繼承傳遞參數
            this.name = "son";
            this.hobby = "dog";
        }
        Son.prototype.getName = function () {
            console.log(this.name)
        }

        function Grandson(sex) {
            console.log(this.superClass) //Son
            Son.call(this, sex); //構造函數繼承傳遞參數
            this.name = "grandson";
            this.hobby = "cat";
        }

        var inherit = (function () {
            function F() {} //使用閉包產生私有函數,使每個子類繼承的父類屬性無引用關係
            return function (father, son) {
                F.prototype = father.prototype; //私有函數取出父類的原型
                son.prototype = new F();
                son.prototype.superClass = father; //子類的超類指向父類,子類通過this.superClass調用Father
                son.prototype.constructor = son;
            }
        }())
        inherit(Father, Son)
        inherit(Son, Grandson)
        var father = new Father('fatherMan')
        var son = new Son('sonMan')
        var grandson = new Grandson('grandsonMan')
        console.log(son instanceof Father) //true
        console.log(grandson instanceof Son) //true
        console.log(grandson instanceof Father) //true
        console.log(father.sex) //fatherMan
        console.log(son.sex) //sonMan
        console.log(grandson.sex) //grandsonMan
        console.log(father.hobby) //fish
        console.log(son.hobby) //dog
        console.log(grandson.hobby) //cat
        father.getName() //father
        son.getName() //son
        grandson.getName() //grandson

 

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章