記錄--你知道Vue中的Scoped css原理麽?

来源:https://www.cnblogs.com/smileZAZ/archive/2023/07/12/17548506.html
-Advertisement-
Play Games

這裡給大家分享我在網上總結出來的一些知識,希望對大家有所幫助 追憶Scoped 偶然想起了一次面試,二面整體都聊完了,該做的演算法題都做出來了,該背的八股文也背的差不多了,面試官頻頻點頭,似乎對我的基礎和項目經驗都很是滿意。嗯,我內心os本次面試應該十拿九穩了。 突然,面試官說:「我的主技術棧是Rea ...


這裡給大家分享我在網上總結出來的一些知識,希望對大家有所幫助

追憶Scoped

偶然想起了一次面試,二面整體都聊完了,該做的演算法題都做出來了,該背的八股文也背的差不多了,面試官頻頻點頭,似乎對我的基礎和項目經驗都很是滿意。嗯,我內心os本次面試應該十拿九穩了。

突然,面試官說:「我的主技術棧是React,Vue寫的很少,對Vue中style樣式中的scoped有點興趣,你知道vue中為什麼有這個麽?」

我不假思索:「哦, 這個主要是為了做樣式隔離,避免組件間和父子組件間的樣式覆蓋問題。有點類似React中使用的StyleModule,也是可以避免不同組件間樣式覆蓋問題。」

回答完之後我又開始暗自得意,回答的多麼巧妙,既回答了問題,又表明自己對React也是有一點瞭解的。

可能面試官看出了我的得意之色,點點頭之後又問出了一個問題:「知道是怎麼實現的麽?」

我先茫然的盯著面試官的臉看了兩秒鐘,然後在我已有的知識庫中搜索,搜索一遍又一遍,發現這可能是我的一個盲區,我確實不太清楚實現原理啊!!

面試官可能看出了我對於此的知識匱乏,很和善的說「我就是感興趣,隨便問問」。

啊,事已至此,我只能對面試官露出一個尷尬卻不失禮貌的微笑說「這塊我確實沒有仔細思考過,我下來會詳細研究一下這款,具體是如何現在scoped的。」

「好,那本次面試就到這裡吧,回去等通知吧!」面試官和藹的說。

雖然最後面試順利通過,但是這個問題我覺得還是有必要記錄下:”Vue中Style中的Scoped屬性是如何實現樣式隔離的?“

初見Scoped

我們初次見到scoped應該是在Vue Loader中的Scoped Css文檔中。

子組件的根元素

使用 scoped 後,父組件的樣式將不會滲透到子組件中。

深度作用選擇器

如果你希望 scoped 樣式中的一個選擇器能夠作用得“更深”,例如影響子組件,你可以使用 >>> 操作符:

<style scoped>
.a >>> .b { /* ... */ }
</style>
上述代碼會編譯成:
.a[data-v-f3f3eg9] .b { /* ... */ }

註意:像Sass之類的預處理器無法正確解析>>>。這種情況下可以使用/deep/::v-deep操作符取而代之,兩者都是>>>的別名,同樣可以正常工作。

實戰Scoped

style標簽scoped標識

<style lang="less" >
.demo {
  a {
    color: red;
  } 
}
</style>

編譯之後

.demo a {
  color: red;
}

style表現中scoped標識

<style lang="less" scoped>
.demo {
  a {
    color: red;
  } 
}
</style>

編譯之後

.demo a[data-v-219e4e87] {
  color: red;
}

父子組件中同時修改a標簽樣式

// 子組件
<style scoped>
a {
  color: green;
}
</style>
// 父組件
<style lang="less" scoped>
.demo {
  a {
    color: red;
  } 
}
</style>

編譯完之後,父組件樣式對子組件樣式沒有影響

/* 子組件 a 標簽樣式 */
a[data-v-458323f2] {
  color: green;
}
/* 父組件 a 標簽樣式 */
.demo a[data-v-219e4e87] {
  color: red;
}

如果想父組件對子組件的樣式產生影響,就需要使用更深級的選擇器 >>> 或 /deep/或 ::v-deep使父組件的樣式對子組件產生影響。

<style lang="less" scoped>
.demo {
  /deep/ a {
    color: red;
  } 
}
</style>

編譯完之後

a[data-v-458323f2] {
  color: green;
}
.demo[data-v-ca3944e4] a {
  color: red;
}

我們可以看到 編譯後的 /deep/ a被替換成了 a標簽,實現了父組件對子組件樣式的修改。

解密Scoped實現

回顧初見Scoped,我們是在vue-loader的說明文檔中瞭解到的scoped的用法,所以我們從vue-loader包入手,發現compiler.ts中:

try {
  // Vue 3.2.13+ ships the SFC compiler directly under the `vue` package
  // making it no longer necessary to have @vue/compiler-sfc separately installed.
  compiler = require('vue/compiler-sfc')
} catch (e) {
  try {
    compiler = require('@vue/compiler-sfc')
  } catch (e) {
  }
}
可以看到compiler的引用在@vue/compiler-sfc包中,@vue/compiler-sfc包的compileStyle.ts文件中有一個doCompileStyle()函數,然後我們大致看下這個函數的作用:
export function doCompileStyle(
  options: SFCAsyncStyleCompileOptions
): SFCStyleCompileResults {
// 只保留了部分主要流程代碼
  const plugins = (postcssPlugins || []).slice()
  plugins.unshift(cssVarsPlugin({ id: id.replace(/^data-v-/, ''), isProd }))
  if (trim) {
    plugins.push(trimPlugin())
  }
  if (scoped) {
    //   引入了scoped插件
    plugins.push(scopedPlugin(id))
  }

  try {
    //   調用postcss
    result = postcss(plugins).process(source, postCSSOptions)

  } catch (e) {
  }
}

doCompileStyle()主要做了一件事,就是按需引入postcss需要的插件,其中就有scoped的插件。這個scoped插件應該就是Scoped Css的核心了。

我們看下scopedPlugin插件都做了什麼

const scopedPlugin = () => {
 return {
    postcssPlugin: 'vue-sfc-scoped',
    Rule(rule) {
      processRule(id, rule)
    }
}

function processRule(id: string, rule: Rule) {
/* import selectorParser from 'postcss-selector-parser'
* 通過 postcss-selector-parser 獲取css AST
*/
  rule.selector = selectorParser(selectorRoot => {
    selectorRoot.each(selector => {
      rewriteSelector(id, selector, selectorRoot)
    })
  }).processSync(rule.selector)
}

function rewriteSelector(
  id: string,
  selector: selectorParser.Selector,
  selectorRoot: selectorParser.Root
) {
  let node: selectorParser.Node | null = null
  let shouldInject = true
  // find the last child node to insert attribute selector
  selector.each(n => {
    // DEPRECATED ">>>" and "/deep/" combinator
    if (
      n.type === 'combinator' &&
      (n.value === '>>>' || n.value === '/deep/')
    ) {
      n.value = ' '
      n.spaces.before = n.spaces.after = ''
      // warn(
      //   `the >>> and /deep/ combinators have been deprecated. ` +
      //     `Use :deep() instead.`
      // )
    //   可以結束本次迴圈
      return false
    }

    if (n.type === 'pseudo') {
      const { value } = n
      // deep: inject [id] attribute at the node before the ::v-deep
      // combinator.
      if (value === ':deep' || value === '::v-deep') {
        if (n.nodes.length) {
          // .foo ::v-deep(.bar) -> .foo[xxxxxxx] .bar
          // replace the current node with ::v-deep's inner selector
          let last: selectorParser.Selector['nodes'][0] = n
          n.nodes[0].each(ss => {
            selector.insertAfter(last, ss)
            last = ss
          })
          // insert a space combinator before if it doesn't already have one
          const prev = selector.at(selector.index(n) - 1)
          if (!prev || !isSpaceCombinator(prev)) {
            selector.insertAfter(
              n,
              selectorParser.combinator({
                value: ' '
              })
            )
          }
          selector.removeChild(n)
        } else {
          // DEPRECATED usage in v3
          // .foo ::v-deep .bar -> .foo[xxxxxxx] .bar
          // warn(
          //   `::v-deep usage as a combinator has ` +
          //     `been deprecated. Use :deep(<inner-selector>) instead.`
          // )
          const prev = selector.at(selector.index(n) - 1)
          if (prev && isSpaceCombinator(prev)) {
            selector.removeChild(prev)
          }
          selector.removeChild(n)
        }
        return false
      }
    }

    if (n.type !== 'pseudo' && n.type !== 'combinator') {
      node = n
    }
  })

  if (node) {
    ;(node as selectorParser.Node).spaces.after = ''
  } else {
    // For deep selectors & standalone pseudo selectors,
    // the attribute selectors are prepended rather than appended.
    // So all leading spaces must be eliminated to avoid problems.
    selector.first.spaces.before = ''
  }

  if (shouldInject) {
    //  給seletor的node節點添加屬性 id
    selector.insertAfter(
      // If node is null it means we need to inject [id] at the start
      // insertAfter can handle `null` here
      node as any,
      selectorParser.attribute({
        attribute: id,
        value: id,
        raws: {},
        quoteMark: `"`
      })
    )
  }
}

上述是保留了主要流程的插件代碼,至此,我們可以得出scoped的實現方案就是通過postcss插件這種形式實現。

大家如果沒有理解上述插件的原理,下麵我提供個簡單的插件代碼,方便大家在node平臺上運行理解。

簡易流程:

const postcss = require('postcss');
// 解析Css AST
const selectorParser = require('postcss-selector-parser');

postcss([
{
    postcssPlugin: 'post-test-plugin',
    Rule(rule) {
        console.log(rule.selector, 'rule.selector');
        rule.selector = selectorParser(selectorRoot => {
            selectorRoot.each(selector => {
                let node = null;
                selector.each(n => {
                    if(n.type === 'combinator'  && n.value === '/deep/') {
                        n.value = ' ';
                        return false;
                    }
                    if(n.type !=='pseudo' && n.type !=='combinator') {
                        node= n;
                    }
                })
                selector.insertAfter(
                    node,
                    selectorParser.attribute({
                        attribute: '123456',
                    })
                )
            })
        }).processSync(rule.selector)

        console.log(rule.selector, 'after ruleSelector');
    }
}
]).process(`/deep/ a { color: red }; b:hover{ color: blue }`).then(res =>{ 
    console.log(res.css); // [123456]  a { color: red }; b[123456]:hover{ color: blue }
});

關於Debug的一個小技巧

上述解密部分有的朋友可能會疑惑,怎麼就能剛好定位到這些文件呢?這裡給大家分享一個debug的小技巧,主要適用於vscode編輯器。以本次scoped分析為例:

通過源碼我們大概分析出可能compiler-sfc包中的插件進行的scoped操作,那麼我們直接在猜測位置打下斷點如圖所示:

 然後打開package.json文件,在scripts命令行上有調試按鈕,點擊調試選擇build命令:

 然後自動開始執行npm run build,定位到我們剛纔打的斷點那裡:

左側有調用堆棧和當前變數以及調試按鈕,然後就可以一步步進行調試啦。

至此,Vue的Scoped Css對你來說應該不再陌生了吧,如果還是有疑惑,可以按照上述步驟自行調試解惑哦~

本文轉載於:

https://juejin.cn/post/7254083731488849957

如果對您有所幫助,歡迎您點個關註,我會定時更新技術文檔,大家一起討論學習,一起進步。

 


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 摘要:本文通過5個部分內容幫助開發者快速瞭解GaussDB(DWS) 資源管理機制,讓數倉過載煩惱不再,把“爛”SQL牢牢關進籠子里。 本文分享自華為雲社區《直播回顧 | 掌握把“爛”SQL牢牢關進籠子里的密鑰》,作者: 華為雲社區精選 。 混合負載場景下,怎樣避免“爛”語句對資料庫系統的衝擊?如何 ...
  • 當前,全球數字經濟加速發展,數據正在成為重組全球要素資源、重塑全球經濟結構、改變全球競爭格局的關鍵力量。**資料庫作為存儲與處理數據的關鍵技術,在數字經濟浪潮下,不斷涌現新技術、新業態、新模式。** 7月4-5日,**由中國通信標準化協會和中國信息通信研究院主辦**,大數據技術標準推進委員會承辦,I ...
  • 本文是MySQL 8.0 Dynamic Redo Log Sizing[1]這篇文章的翻譯。如有翻譯不當的地方,敬請諒解,請尊重原創和翻譯勞動成果,轉載的時候請註明出處。謝謝! 這篇博文將討論MySQL 8.0.30中引入的最新功能/特性:重做日誌動態調整大小(dynamic redo log s ...
  • 1 環境說明操作系統:Windows Server 2008資料庫版本:SQL Server 2008 10.50.1600.1 2 搭建過程2.1 達夢資料庫軟體下載進入達夢官網 https://www.dameng.com/ 選擇X86,win64,點擊下載。 2.2 安裝資料庫解壓下載後文件, ...
  • 原文地址:https://blog.csdn.net/zhanglei5415/article/details/131434931 ## 一、問題 當對含有中文的url字元串,進行NSURL對象包裝時,是不能被識別的。 不會得到期望的NSURL對象,而是返回一個nil 值 ; ```objectiv ...
  • ## Grid佈局 ### 1 概述 網格佈局(Grid)將王爺分成一個個網格,可以任意組合不同的網格,做出各種各樣的佈局。Grid佈局與Flex不具有一定的相似性,都可以指定容器內部多個項目的位置,但是他們存在重大的區別。flex佈局時軸線佈局,只能指定項目針對軸線的位置,可以看作是一維佈局;gr ...
  • # flex佈局 ## 上節複習 選擇器進階: 偽類選擇器: 當滿足特定條件時,激活對應的樣式 元素:hover{} 當滑鼠經過元素時,激活樣式 偽元素選擇器: 創建一個虛假的元素.不能被選中.不存在網頁dom中(安全性/性能) 元素::before{content:'內容'} 在元素前面添加內容 ...
  • 一、數據類型: 1、基本數據類型:String、Number、Boolean、Null、Undefined、Symbol 、BigInt 2、引用數據類型:Object、Array、Function、Date、RegExp 二、檢測數據類型的四種方法 1.typeof檢測 特點:typeof只能檢測 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...