網頁前端自動化工具 – Grunt

Grunt 網站截圖

Grunt 網站截圖



今天為各位介紹的是一個前端工程師所使用的自動化工具「Grunt」,為何我們要使用這個工具呢?其實使用這個工具的原因有很多,因為他的擴充模組(Plugin)也很多,不過今天馬老師從自動最小化(Minify)的角度來介紹這個工具該如何使用。

一般來說前端網頁開發不外乎HTML、CSS、Javascript這三種語法,而在開發完成之後,為了要節省流量,我們可能會把這三個檔案壓縮後再上傳到網站伺服器上,何謂壓縮請參考下圖:

未經壓縮的HTML檔

未經壓縮的HTML檔

經過壓縮的HTML檔

經過壓縮的HTML檔

未經壓縮的CSS檔

未經壓縮的CSS檔

經過壓縮的CSS檔

經過壓縮的CSS檔

未經壓縮的JS檔

未經壓縮的JS檔

經過壓縮的JS檔

經過壓縮的JS檔

從上面的檔案可以觀察出在開發時我們為了閱讀的便利,常常會利用註解、空白…等來輔助,但真正發佈出去這些東西卻不是必要的,甚至在開發的時候我們為了方面會把CSS或JS拆成好幾個檔案,但發佈之後卻希望可以合併,但如果需要人工來做這件事,可想而知會有多麻煩,這個時候Grunt就會發揮效用了,設定好之後只要一個指令,他就可以幫我們做好這些動作,接下來就來看看該如何使用吧。

首先Grunt是一個基於node.js下的應用程序,所以必須先安裝node.js,安裝的部分並不難,從官網下載後直接執行安裝即可。

Node.js 官方網站 截圖

Node.js 官方網站 截圖

接下來可以參考Grunt網站中Getting Started的單元,或是跟著以下(以Windows為案例)的方式進行Grunt的安裝。

  1. 打開「命令提示字元」。
  2. 輸入「npm install -g grunt-cli」。
  3. 接下來就可以準備網頁專案資料夾了,如下圖所示,我的網頁專案資料夾簡單分成兩個:
    • src:所有開發檔案
    • public:發佈至網路上的檔案

      準備專案資料夾

      準備專案資料夾

  4. 這樣準備的目的應該很清楚,就是希望在src資料夾內以自己最習慣、最方便閱讀的方式來開發,而開發完畢之後可以把壓縮的檔案轉至public資料夾,上傳到伺服器上。

有關於網頁內容開發的部分,本篇文章就省略,所以可以看到上面圖檔中我已經準備好了HTML、CSS、JS各一個,直接進入利用Grunt開始做自動最小化的部分。

  1. 使用Grunt時,必須在網站根目錄建立兩個檔案:
    • package.json:Grunt的專案設定檔,其中可以包含專案名稱、作者、版本,所需要使用的Plugin…等,可以參考下面我的檔案。
    • Grunt.js:Grunt的執行腳本,以本案例來說就是要去哪個資料夾,壓縮哪些檔案後存放在哪邊,需在本檔案中指定。
      {
          "name": "gruntTest",
          "version": "0.1.0",
          "author": "Stanley Ma",
          "devDependencies": {
              "grunt": "~0.4.5",
              "grunt-contrib-htmlmin": "~0.4.0",
              "grunt-contrib-cssmin": "~0.13.0",
              "grunt-contrib-uglify": "~0.9.2"
          }
      }

      以上面的package.json檔案來說,定義了專案名稱、作者、版本以及所需要使用的Grunt版本(撰文時Grunt穩定版為0.4.5)和Plugin列表,因為開頭有提到,本案例以最小化的角度來介紹Grunt,所以用到的三個Plugin分別為:

      • grunt-contrib-htmlmin:最小化HTML檔。
      • grunt-contrib-cssmin:最小化CSS檔。
      • grunt-contrib-uglify:最小化JS檔。
  2. 接下來利用Grunt的專案設定檔來安裝所需要的Grunt和各個外掛,利用「命令提示字元」進入網頁專案的根目錄,輸入「npm install」,他就會在專案資料夾中安裝好所有需要的Plugin。

    安裝 Grunt 後的專案資料夾

    安裝 Grunt 後的專案資料夾

  3. 接下來就要開始準備撰寫Grunt.js的執行腳本,大家可以參考我的專案檔案寫法:
    module.exports = function (grunt) {
    
        grunt.initConfig({
            htmlmin: {
                Target: {
                    options: {
                        removeComments: true,
                        collapseWhitespace: true,
                        removeEmptyAttributes: true,
                    },
                    files: {
                        'public/index.html': 'src/index.html',
    
                    }
                }
            },
    
            cssmin: {
                target: {
                    files: {
                        'public/index.css': 'src/index.css'
                    }
                }
            },
    
            uglify: {
                target: {
                    files: {
                        'public/index.js': 'src/index.js'
                    }
                }
            }
    
        });
    
        grunt.loadNpmTasks('grunt-contrib-htmlmin');
        grunt.loadNpmTasks('grunt-contrib-cssmin');
        grunt.loadNpmTasks('grunt-contrib-uglify');
    
        grunt.registerTask('default', ['htmlmin', 'cssmin', 'uglify']);
    
    };

    這樣的寫法會讓Grunt把在src裡面的三個檔案,分別壓縮後複製一份到public的資料夾中,確定資料夾和檔案無誤之後,繼續下一步動作。

  4. 利用「命令提示字元」進入網頁專案的根目錄,輸入「grunt」之後,出現以下的畫面表示成功。

    Grunt 執行成功

    Grunt 執行成功

  5. 本案例利用三個Grunt的Plugin完成,分別是:「grunt-contrib-htmlmin」、「grunt-contrib-cssmin」、「grunt-contrib-uglify」,其實這三個外掛都有一些其他的參數,另外也可以進行多檔案的批次轉換以及檔案合併…等等功能,建議有需要的同學可以到Plugin各自的網站上去看看使用方式。

附帶一提,一開始就有提到關於Grunt自動化的Plugin非常多,本文僅用到了三個,這裡有Plugin的列表,對這方面有興趣的同學們也歡迎到網站上看更多相關的自動化功能。

You may also like...

24,215 Responses

  1. MichaelVed表示:

    UTLH : Le jeton qui vous aidera à gagner de l’argentVous recherchez une cryptomonnaie fiable avec une utilité réelle et de bonnes perspectives ? Le jeton UTLH est un excellent choix ! Dans un monde où de nouvelles pièces apparaissent chaque jour, l’UTLH se distingue par sa valeur, sa simplicité et sa fiabilité.Pourquoi j’aime l’UTLH ?Peu de jetons — Une valeur élevée Seulement 957 315 jetons UTLH. Cela signifie que leur quantité est limitée, et leur valeur pourrait augmenter avec le temps. Contrairement à d’autres cryptomonnaies, il est impossible d’émettre des pièces supplémentaires ici, ce qui protège vos investissements contre la dévaluation.Une utilité réelle L’UTLH n’est pas simplement des chiffres sur un écran. Il peut être utilisé pour obtenir une aide financière, un prêt ou pour participer à un club fermé d’entrepreneurs.Transparence et fiabilité Le code du jeton (0x815d5d6a1ee9cc25349769fd197dc739733b1485) est ouvert à tous, et la technologie Binance Smart Chain (BSC) rend les transferts rapides et sécurisés.Un investissement rentable Vous pouvez générer un revenu passif — 24 % par an ! Seulement 1 UTLH suffit pour commencer à gagner 2 % par mois et récupérer votre investissement avec un profit après un an.Une grande communauté Plus de 10 930 personnes détiennent déjà l’UTLH, et le club compte 150 000 membres. Cela signifie que le jeton est populaire et demandé.L’avenir de l’UTLH Les experts estiment que le prix de l’UTLH pourrait augmenter de 2 à 50 fois dans les 6 à 36 prochains mois. La quantité limitée de jetons et l’intérêt croissant font de l’UTLH un investissement prometteur.Sécurité Le projet est ouvert et honnête, les risques de fraude sont exclus. Tout est transparent, et la blockchain garantit la protection de vos fonds.Conclusion : Pourquoi choisir l’UTLH ?L’UTLH n’est pas simplement une cryptomonnaie, mais un outil utile pour un investissement intelligent. Sa fiabilité, sa simplicité et ses conditions avantageuses en font un excellent choix pour ceux qui veulent gagner de l’argent. Ne manquez pas l’occasion de rejoindre la communauté et de commencer à gagner avec l’UTLH dès aujourd’hui !L’UTLH se distingue également par son équipe dédiée, constamment à l’écoute des besoins de sa communauté. Grâce à des partenariats stratégiques et des mises à jour régulières du système, l’UTLH se positionne comme un jeton résilient face aux fluctuations du marché. Son potentiel de croissance continue à attirer des investisseurs avisés, garantissant ainsi une demande toujours croissante.

  2. Manuelgript表示:

    https://indianpharmacyabp.shop/# Best online Indian pharmacy
    mexican drugstore online

  3. MorganThymn表示:

    canadian pharmacy 24h com: canadian pharmacy online reviews – canada pharmacy world

  4. Excellent blog here! Additionally your web site rather a lot up fast! What host are you using? Can I get your affiliate hyperlink for your host? I wish my site loaded up as fast as yours lol.

  5. Hiya! I just want to give a huge thumbs up for the great data you have got right here on this post. I might be coming again to your weblog for more soon.

  6. Woah! I’m really enjoying the template/theme of this blog. It’s simple, yet effective. A lot of times it’s very difficult to get that “perfect balance” between user friendliness and appearance. I must say you have done a great job with this. In addition, the blog loads extremely quick for me on Chrome. Exceptional Blog!

  7. MorganThymn表示:

    mexican mail order pharmacies: mexican pharmacy acp – mexican drugstore online

  8. RandallLoone表示:

    India pharmacy ship to USA: indian pharmacy – online shopping pharmacy india

  9. Manuelgript表示:

    https://mexicanpharmacyacp.com/# purple pharmacy mexico price list
    mexican border pharmacies shipping to usa

  10. MorganThymn表示:

    mexico drug stores pharmacies: medication from mexico pharmacy – reputable mexican pharmacies online

  11. DonaldTyclE表示:

    equilibrado estatico
    Equipos de calibración: importante para el desempeño suave y productivo de las máquinas.

    En el campo de la tecnología moderna, donde la rendimiento y la seguridad del sistema son de máxima importancia, los sistemas de balanceo tienen un tarea fundamental. Estos sistemas especializados están desarrollados para calibrar y fijar componentes móviles, ya sea en dispositivos manufacturera, vehículos de traslado o incluso en equipos domésticos.

    Para los técnicos en reparación de aparatos y los ingenieros, manejar con sistemas de equilibrado es esencial para promover el desempeño estable y seguro de cualquier dispositivo dinámico. Gracias a estas alternativas innovadoras avanzadas, es posible reducir significativamente las vibraciones, el estruendo y la carga sobre los sujeciones, prolongando la tiempo de servicio de elementos importantes.

    Igualmente significativo es el tarea que cumplen los dispositivos de ajuste en la soporte al comprador. El soporte técnico y el soporte constante usando estos aparatos facilitan brindar servicios de óptima nivel, aumentando la bienestar de los usuarios.

    Para los propietarios de emprendimientos, la financiamiento en equipos de ajuste y detectores puede ser clave para mejorar la rendimiento y eficiencia de sus sistemas. Esto es particularmente importante para los empresarios que administran pequeñas y pequeñas empresas, donde cada punto cuenta.

    También, los sistemas de ajuste tienen una amplia implementación en el área de la seguridad y el gestión de estándar. Posibilitan localizar probables fallos, previniendo arreglos elevadas y problemas a los dispositivos. Además, los resultados obtenidos de estos aparatos pueden usarse para optimizar sistemas y incrementar la reconocimiento en buscadores de exploración.

    Las campos de utilización de los sistemas de balanceo incluyen diversas áreas, desde la producción de bicicletas hasta el control ecológico. No influye si se habla de importantes fabricaciones productivas o limitados locales hogareños, los sistemas de balanceo son necesarios para promover un rendimiento productivo y libre de fallos.

  12. Charlescek表示:

    canadianpharmacy com 77 canadian pharmacy canadian pharmacy ed medications

  13. ErnestgeoFt表示:

    https://indianpharmacyabp.shop/# Indian Pharmacy Abp
    cheapest online pharmacy india

  14. MorganThymn表示:

    Indian Pharmacy Abp: Best online Indian pharmacy – India pharmacy ship to USA

  15. RandallLoone表示:

    Indian Pharmacy Abp: Online medicine home delivery – Indian pharmacy international shipping

  16. Good post. I learn something new and challenging on websites I stumbleupon every day. It will always be helpful to read through articles from other writers and practice something from other sites.

  17. DavidVex表示:

    Top Max Farma Farmacie on line spedizione gratuita Top Max Farma

  18. RichardAXORP表示:

    https://topmaxfarma.shop/# Top Max Farma
    Top Max Farma

  19. Davidornax表示:

    Top Max Farma: farmacie online autorizzate elenco – Top Max Farma

  20. You made some decent points there. I looked on the net for that issue and found most people will go coupled with with your internet site.

  21. Hrmm that was weird, my comment got eaten. Anyway I wanted to say that it’s good to be aware that somebody else also mentioned that as I had trouble finding the exact same info elsewhere. That was the first place that told me the answer. Thanks.

  22. Thank you for the good critique. Me & my friend were just preparing to do some research on this. We grabbed a book from our area library but I think I’ve learned better from this post. I’m very glad to see such great information being shared freely out there…

  23. Davidornax表示:

    farmacia online senza ricetta: farmacia online senza ricetta – Top Max Farma

  24. Raymondusarm表示:

    В новомсвежем обзореосмотре мы собралиобъединилискомпоновали самыенаиболее захватывающиеувлекательныеинтересные онлайн-игрыигры онлайн, способныемогущиеимеющие возможность увлечьзатянутьзаинтересовать нав течение долгиепродолжительные часывремени. ОтНачиная с динамичныхбыстрыхактивных шутеровстрелялок дои стратегическихтактических баталийсраженийбоёв иа также расслабляющихумиротворяющихрелаксирующих симуляторовимитаторов – каждыйлюбой найдетобнаружит что-тонечто попо душевкусу https://telegra.ph/VIP-programmy-v-onlajn-kazino-EHksklyuzivnye-bonusy-i-privilegii-03-11-2

    УзнайтеОткройте для себя опро новинкахновых играх, хитахпопулярных играх иа также скрытыхнезаметныхпотаённых жемчужинахбриллиантах игровогогеймерского мирапространства. ПодробныеДетальные описанияхарактеристики, скриншотыснимки экрана иа наши впечатленияотзывымнения помогутсодействуют вам сделатьсовершить правильныйверный выборрешение.

    ГотовьтесьПриготовьтесь кк приключениямавантюрам! ЧитайтеОзнакомьтесь с полныйцелый обзоросмотр онлайн-игригр онлайн прямо сейчаснемедленносразу же!

  25. Jerryacast表示:

    https://fastfromindia.com/# top online pharmacy india
    Fast From India

  26. DavidUrbaw表示:

    Кракен активная ссылка – Кракен вход, Каркен зеркало

  27. Aaroncrasy表示:

    indian pharmacy: Fast From India – Fast From India

  28. Тут можно преобрести продвижение медицинских услуг seo под ключ

  29. Тут можно преобрести продвижение сайта медицинской клиники сео продвижение медицинских сайтов

發佈回覆給「RandallLoone」的留言 取消回覆

發佈留言必須填寫的電子郵件地址不會公開。