Table of Contents
Migrate from v1 to v2
. For example, the following configuration:
For specific production environment construction methods, please refer to the official website production
// 在这种情况下,1秒之后会返回配置文件并且执行var path = require('path');module.exports = () => {return new Promise((resolve, reject) => {console.log('loading configuration ...');setTimeout(() => {console.log('loading completed!');resolve({entry : path.resolve(__dirname, 'js/app.js'),output : {path : path.resolve(__dirname, 'build'),filename : '[name].bundle.js'},module : {rules : [{ test : /\.js|\.jsx$/, loader : 'babel-loader', options : {presets : ["es2015", "react"]} },{ test : /\.css$/,use : ['style-loader', 'css-loader']},{test : /\.less$/,use : ['style-loader', 'css-loader', 'less-loader']}]},});}, 1000);});}
Copy after login
" >
// 在这种情况下,1秒之后会返回配置文件并且执行var path = require('path');module.exports = () => {return new Promise((resolve, reject) => {console.log('loading configuration ...');setTimeout(() => {console.log('loading completed!');resolve({entry : path.resolve(__dirname, 'js/app.js'),output : {path : path.resolve(__dirname, 'build'),filename : '[name].bundle.js'},module : {rules : [{ test : /\.js|\.jsx$/, loader : 'babel-loader', options : {presets : ["es2015", "react"]} },{ test : /\.css$/,use : ['style-loader', 'css-loader']},{test : /\.less$/,use : ['style-loader', 'css-loader', 'less-loader']}]},});}, 1000);});}
Copy after login
In webpack2, there is no need to write an empty string by default, if this is not configured option, the default suffix is ​​
, so you can write ## directly when you need to use
modules
3. module相关
3.1 module.rules替换module.loaders
3.2 取消自动添加-loader后缀
3.3 json-loader内置啦
4. plugins相关
4.1 UglifyJsPlugin 代码压缩插件
4.2 ExtractTextWebapckPlugin 文本提取插件
5. loaders的debug模式
6. 按需加载方式更改
6.1 import()方式
6.2 动态表达式
7. 热替换更加简单
谈谈V2版本
1. caching(缓存)
Home Web Front-end JS Tutorial Summary of knowledge points about webpack2

Summary of knowledge points about webpack2

Jul 18, 2017 pm 06:42 PM
web

This article's github repository:

Migrate from v1 to v2

webpack1.x upgrade 2.x

1.module.loaders changed to module.rules

The old loaders are replaced by new rules, which allow configuration of loaders and more.

module: {
- loaders: [
+ rules: [
{ test: /\.css$/,
- loaders: [
+ use: [
{ modules: true
} }
]
},
{test:/\.jsx $/, loader: "babel-loader", // do not used "use" jee
Options: {// ...
}
}
]
}


In the above writing method, Rule.loader is the abbreviation of Rule.use: [ { loader } ].

1. Configuration type

In webpack1, configuration is mainly done by exporting a single

object

. For example, the following configuration:

// webpack1 导出方式module.export = {entry : 'app.js',output : { */... */},/* ... */};
Copy after login
In webpack2, there are three ways to flexibly configure it for different scenarios.

1.1 Export different configuration files through different environment variables

// 可以有两种方式传递当前值,一种是简单传递字符串,另外一种则是传递一个对象// 例如: webpack --env production 控制台打印的就是 'production',是一个字符串// 而当这样调用时:webpack --env.production --env.size 60,控制台打印的就是 { production : true, size : 60 }var path = require('path'),webpack = require('webpack'),UglifyJsPlugin = new webpack.optimize.UglifyJsPlugin(),plugins = [];module.exports = function(env) {console.log(env);
  if (env === 'production') {plugins.push(UglifyJsPlugin);}return {entry : path.resolve(__dirname, 'js/app.js'),output : {path : path.resolve(__dirname, 'build'),filename : '[name].bundle.js'},module : {rules : [{ test : /\.js|\.jsx$/, loader : 'babel-loader', options : {presets : ["es2015", "react"]} },{ test : /\.css$/,use : ['style-loader', 'css-loader']},{test : /\.less$/,use : ['style-loader', 'css-loader', 'less-loader']}]},plugins : plugins};}// 在package.json中配置两个命令{"dev" : "webpack","build" : "webpack --env production"}
Copy after login

For specific production environment construction methods, please refer to the official website production

1.2 Export through promise Configuration file

The application scenario of this method is that in some cases, we temporarily cannot get the configuration parameters required for the configuration file, such as the file name that needs to be configured, etc. Perhaps this is an asynchronous operation. , through promise, we can get the configuration variables after the asynchronous operation, and then execute the configuration file.

// 在这种情况下,1秒之后会返回配置文件并且执行var path = require('path');module.exports = () => {return new Promise((resolve, reject) => {console.log('loading configuration ...');setTimeout(() => {console.log('loading completed!');resolve({entry : path.resolve(__dirname, 'js/app.js'),output : {path : path.resolve(__dirname, 'build'),filename : '[name].bundle.js'},module : {rules : [{ test : /\.js|\.jsx$/, loader : 'babel-loader', options : {presets : ["es2015", "react"]} },{ test : /\.css$/,use : ['style-loader', 'css-loader']},{test : /\.less$/,use : ['style-loader', 'css-loader', 'less-loader']}]},});}, 1000);});}
Copy after login

1.3 Packing multiple configuration files at the same time

Webpack1 can only export a single configuration file. In webpack2, multiple configuration files can be packaged at the same time, which means that you can When packaging multiple entry files, you no longer need to execute packaging commands for each individual page when packaging multiple pages.

// config-amd.jsvar path = require('path');module.exports = {entry : path.resolve(__dirname, 'js/app.js'),output : {path : path.resolve(__dirname, 'build'),filename : '[name].amd.js',libraryTarget : 'amd'},module : {rules : [{ test : /\.js|\.jsx$/, loader : 'babel-loader', options : {presets : ["es2015", "react"]} },{ test : /\.css$/,use : ['style-loader', 'css-loader']},{test : /\.less$/,use : ['style-loader', 'css-loader', 'less-loader']}]}};// config-commonjs.jsvar path = require('path');module.exports = {entry : path.resolve(__dirname, 'js/app.js'),output : {path : path.resolve(__dirname, 'build'),filename : '[name].commonjs.js',libraryTarget : 'commonjs'},module : {rules : [{ test : /\.js|\.jsx$/, loader : 'babel-loader', options : {presets : ["es2015", "react"]} },{ test : /\.css$/,use : ['style-loader', 'css-loader']},{test : /\.less$/,use : ['style-loader', 'css-loader', 'less-loader']}]}};// webpack.config.jsvar configAmd = require('./config-amd.js'),configCommonjs = require('./config-commonjs.js');module.exports = [
    configAmd,configCommonjs
]
Copy after login

2. resolve related

2.1 extensions suffix extension

In webpack2, there is no need to write an empty string by default, if this is not configured option, the default suffix is ​​

['.js', '.json']

, so you can write ## directly when you need to use

import 'some.js'

#import 'some'Just fine. If you do not want to enable automatic suffix, you need to configure enforceExtension: true in resolve

, for example:

<div class="code" style="position:relative; padding:0px; margin:0px;"><pre class='brush:php;toolbar:false;'>var path = require(&amp;#39;path&amp;#39;);module.exports = {entry : // ....,// ...resolve : {enforceExtension : true}};</pre><div class="contentsignin">Copy after login</div></div>This At this time, if js/text.js

is referenced in
js/app.js
, an error will be reported

<div class="code" style="position:relative; padding:0px; margin:0px;"><pre class='brush:php;toolbar:false;'>// Errorimport &amp;#39;./text&amp;#39;;// Rightimport &amp;#39;./text.js&amp;#39;;</pre><div class="contentsignin">Copy after login</div></div>2.2 root/fallback/ modulesDirectories file positioning

Configuring these three properties in
webapck1 resolve
tells webpack the folder that must be searched for when introducing modules. In webpack2, it is directly replaced with a separate Attribute

modules

, the default priority is to search

node_modules (note that this is a relative position)<div class="code" style="position:relative; padding:0px; margin:0px;"><pre class='brush:php;toolbar:false;'>// configresolve: {// root : path.join(__dirname, &quot;src&quot;) webpack1方式modules : [path.join(__dirname, &quot;src&quot;), // 优先于node_modules/搜索&quot;node_modules&quot;]}// 修改 js/app.js// 在js文件夹中,增加一个lodash.js,如果按照上面的配置了modules,则会优先加载我们自己的lodash库import &amp;#39;../css/style.less&amp;#39;;import _ from &amp;#39;lodash&amp;#39;;console.log(_.isObject([1, 2, 3]));document.getElementById(&amp;#39;container&amp;#39;).textContent = &amp;#39;APP&amp;#39;;// js/lodash.jsexport default {isObject(a) {console.log(&amp;#39;this is my lodash library!&amp;#39;);return a &amp;&amp; typeof a === &amp;#39;object&amp;#39;;}}</pre><div class="contentsignin">Copy after login</div></div>

得到的结果如下图:

Summary of knowledge points about webpack2

3. module相关

3.1 module.rules替换module.loaders

The old loader configuration was superseded by a more powerful rules system, which allows configuration of loaders and more. For compatibility reasons, the old module.loaders syntax is still valid and the old names are parsed. The new naming conventions are easier to understand and are a good reason to upgrade the configuration to using module.rules.

大意就是新的命名更容易理解(反正对于我来说就是换了个英文单词:-D),同时还会兼容老的方式,也就是说,你照样写module.loaders还是可以的。

module : {// webpack1 way// loaders : [...]// nowrules : [
        ...
    ]}
Copy after login

3.2 module[*].loader写法

如果需要加载的模块只需要一个loader,那么你还是可以直接用loader这个关键词;如果要加载的模块需要多个loader,那么你需要使用use这个关键词,在每个loader中都可以配置参数。代码如下:

module : {rules : [{ test : /\.js|\.jsx$/, loader : &#39;babel-loader&#39; },  /* 如果后面有参数需要传递到当前的loader,则在后面继续加上options关键词,例如:          {             test : /\.js|\.jsx$/,             loader : &#39;babel-loader&#39;,             options : { presets : [ &#39;es2015&#39;, &#39;react&#39; ] }           }        */  {test : /\.css$/,// webpack1 way// loader : &#39;style!css&#39;  use : [ &#39;style-loader&#39;, &#39;css-loader&#39; ]},{test : /\.less$/,use : [&#39;style-loader&#39;,     // 默认相当于 { loader : &#39;style-loader&#39; }{loader : &#39;css-loader&#39;,options : {modules : true}},&#39;less-loader&#39;]}]}
Copy after login

3.2 取消自动添加-loader后缀

之前写loader通常是这样的:

loader : &#39;style!css!less&#39;// equals toloader : &#39;style-loader!css-loader!less-loader&#39;
Copy after login

都自动添加了-loader后缀,在webpack2中不再自动添加,如果需要保持和webpack1相同的方式,可以在配置中添加一个属性,如下:

module.exports = {...resolveLoader : {moduleExtensions : ["-loader"]}}// 然后就可以继续这样写,但是官方并推荐这样写// 不推荐的原因主要就是为了照顾新手,直接写会让刚接触的童鞋感到困惑// github.com/webpack/webpack/issues/2986use : [ &#39;style&#39;, &#39;css&#39;, &#39;less&#39; ]
Copy after login

3.3 json-loader内置啦

如果要加载json文件的童鞋再也不需要配置json-loader了,因为webpack2已经内置了。

4. plugins相关

4.1 UglifyJsPlugin 代码压缩插件

压缩插件中的warningssourceMap不再默认为true,如果要开启,可以这样配置

plugins : [new UglifyJsPlugin({souceMap : true,warnings : true})
]
Copy after login

4.2 ExtractTextWebapckPlugin 文本提取插件

主要是写法上的变动,要和webpack2配合使用的话,需要使用version 2版本

// webpack1 waymodules : {loaders : [{ test : /\.css$/, loader : ExtractTextPlugin.extract(&#39;style-loader&#39;, &#39;css-loader&#39;, { publicPath : &#39;/dist&#39; })}   
    ]},plugins : [new ExtractTextPlugin(&#39;bunlde.css&#39;, { allChunks : true, disable : false })
]// webapck2 waymodules : {rules : [{ test : /\.css$/, use : ExtractTextPlugin.extract({fallback : &#39;style-loader&#39;,use : &#39;css-loader&#39;,publicPath : &#39;/dist&#39;})}]},plugins : [new ExtractTextPlugin({filename : &#39;bundle.css&#39;,disable : false,allChunks : true})
]
Copy after login

5. loaders的debug模式

在webpack1中要开启loaders的调试模式,需要加载debug选项,在webpack2中不再使用,在webpack3或者之后会被删除。如果你想继续使用,那么请使用以下写法:

// webpack1 waydebug : true// webapck2 way // webapck2将loader调试移到了一个插件中plugins : [new webpack.LoaderOptionsPlugin({debug : true})
]
Copy after login

6. 按需加载方式更改

6.1 import()方式

在webpack1中,如果要按需加载一个模块,可以使用require.ensure([], callback)方式,在webpack2中,ES2015 loader定义了一个import()方法来代替之前的写法,这个方法会返回一个promise.

// 在js目录中新增一个main.js// js/main.jsconsole.log(&#39;main.js&#39;);// webpack1 wayrequire.ensure([], function(require) {var _ = require(&#39;./lodash&#39;).default;console.log(_);console.log(&#39;require ensure&#39;);console.log(_.isObject(1));});// webpack2 way// 采用这种方式,需要promise 的 polyfill// 两种方式:// 1. npm install es6-promise --save-dev//    require(&#39;es6-promise&#39;).polyfill();//// 2. babel方式,在webpack中配置babel插件//    npm install babel-syntax-dynamic-import --save-dev//    options : {//        presets : [&#39;es2015&#39;],//        plugins : [&#39;syntax-dynamic-import&#39;]//    }import(&#39;./lodash&#39;).then(module => {let _ = module.default;console.log(_);console.log(&#39;require ensure&#39;);console.log(_.isObject(1));});
Copy after login

会得到的chunk文件,如下图:

Summary of knowledge points about webpack2

Summary of knowledge points about webpack2-console

6.2 动态表达式

可以动态的传递参数来加载你需要的模块,例如:

function route(path, query) {return import(`./routes/${ path }/route`)
        .then(route => { ... })}
Copy after login

7. 热替换更加简单

webpack2中提供了一种更简单的使用热替换功能的方法。当然如果要用node启动热替换功能,依然可以按照webpack1中的方式。

npm install webpack-dev-server --save-dev// webpack.config.jsmodule.exports = {// ...,devServer : {contentBase : path.join(__dirname, &#39;build&#39;),hot : true,compress : true,port : 8080,publicPath : &#39;/build/&#39;},plugins : [new webpack.HotModuleReplacementPlugin()
    ]}
Copy after login

谈谈V2版本

主要是介绍之前在webpack1中忽略的以及v2版本中新加的一些东西。

1. caching(缓存)

浏览器为了不重复加载相同的资源,因此加入了缓存功能。通常如果请求的文件名没有变的话,浏览器就认为你请求了相同的资源,因此加载的文件就是从缓存里面拿取的,这样就会造成一个问题,实际上确实你的文件内容变了,但是文件名没有变化,这样还是从缓存中加载文件的话,就出事了。

那么,之前传统的做法就是给每个文件打上加上版本号,例如这样:

app.js?version=1app.css?version=1
Copy after login

每次变动的时候就给当前的版本号加1,但是如果每次只有一个文件内容变化就要更新所有的版本号,那么没有改变的文件对于浏览器来说,缓存就失效了,需要重新加载,这样就很浪费了。那么,结合数据摘要算法,版本号根据文件内容生成,那么现在的版本可能是这样的。

// beforeapp.js?version=0add34app.css?version=1ef4a2// after// change app.js contentapp.js?versoin=2eda1capp.css?version=1ef4a2
Copy after login

关于怎么部署前端代码,可以查看大公司怎样开发和部署前端代码

webpack为我们提供了更简单的方式,为每个文件生成唯一的哈希值。为了找到对应的入口文件对应的版本号,我们需要获取统计信息,例如这样的:

{
  "main.js?1.1.11": "main.facdf96690cca2fec8d1.js?1.1.11",
  "vendor.js?1.1.11": "vendor.f4ba2179a28531d3cec5.js?1.1.11"}
Copy after login

同时,我们结合html-webpack-plugin使用的话,就不需要这么麻烦,他会自动给文件带上对应的版本。具体看法参看之前写的webpack1知识梳理,那么我们现在的配置变成了这个样子:

npm install webpack-manifest-plugin --save-dev// webpack.config.jsmodule.exports = {entry : { /* ... */ },output : {path : path.resolve(__dirname, &#39;build-init&#39;),filename : &#39;[name].[chunkhash].js&#39;,chunkFilename : &#39;[name].[chunkhash].js&#39;},module : {// ...},plugins : [new htmlWebpackPlugin({title : &#39;webpack caching&#39;}),new WebpackManifestPlugin()
    ]}
Copy after login

html引入情况

<!DOCTYPE html><html>
  <head><meta charset="UTF-8"><title>webpack caching</title>
  </head>
  <body>
  <div id="container"></div>
  <script type="text/javascript" src="main.facdf96690cca2fec8d1.js?1.1.11"></script><script type="text/javascript" src="vendor.f4ba2179a28531d3cec5.js?1.1.11"></script></body></html>
Copy after login

WARNNING:

不要在开发环境下使用[chunkhash],因为这会增加编译时间。将开发和生产模式的配置分开,并在开发模式中使用[name].js的文件名,在生产模式中使用[name].[chunkhash].js文件名。

为了使文件更小化,webpack使用标识符而不是模块名称,在编译的时候会生成一个名字为manifest的chunk块,并且会被放入到entry中。那么当我们更新了部分内容的时候,由于hash值得变化,会引起manifest块文件重新生成,这样就达不到长期缓存的目的了。webpack提供了一个插件ChunkManifestWebpackPlugin,它会将manifest映射提取到一个单独的json文件中,这样在manifest块中只需要引用而不需要重新生成,所以最终的配置是这样的:

var path = require(&#39;path&#39;),webpack = require(&#39;webpack&#39;),htmlWebpackPlugin = require(&#39;html-webpack-plugin&#39;),ChunkManifestWebpackPlugin = require(&#39;chunk-manifest-webpack-plugin&#39;),WebpackChunkHash = require(&#39;webpack-chunk-hash&#39;);module.exports = {entry : {main : path.resolve(__dirname, &#39;js/app.js&#39;),vendor : path.resolve(__dirname, &#39;js/vendor.js&#39;)},output : {path : path.resolve(__dirname, &#39;build&#39;),filename : &#39;[name].[chunkhash].js&#39;,chunkFilename : &#39;[name].[chunkhash].js&#39;},module : {// ...},plugins : [new webpack.optimize.CommonsChunkPlugin({name : [&#39;vendor&#39;, &#39;manifest&#39;],minChunks : Infinity}),new webpack.HashedModuleIdsPlugin(),new WebpackChunkHash(),new htmlWebpackPlugin({title : &#39;webpack caching&#39;}),new ChunkManifestWebpackPlugin({filename : &#39;chunk-mainfest.json&#39;,manifestVariable : &#39;webpackManifest&#39;,inlineManifest : true})
    ]}
Copy after login

tips:如果还不是很明白,去对比一下加了ChunkManifestWebpackPlugin和没加的区别就可以清楚的感受到了。在本文的代码文件夹caching中可以看到这一差别

The above is the detailed content of Summary of knowledge points about webpack2. For more information, please follow other related articles on the PHP Chinese website!

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months ago By 尊渡假赌尊渡假赌尊渡假赌
Two Point Museum: All Exhibits And Where To Find Them
1 months ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

How to use python+Flask to realize real-time update and display of logs on web pages How to use python+Flask to realize real-time update and display of logs on web pages May 17, 2023 am 11:07 AM

1. Log output to file using module: logging can generate a custom level log, and can output the log to a specified path. Log level: debug (debug log) = 5) {clearTimeout (time) // If all results obtained 10 consecutive times are empty Log clearing scheduled task}return}if(data.log_type==2){//If a new log is obtained for(i=0;i

How to use Nginx web server caddy How to use Nginx web server caddy May 30, 2023 pm 12:19 PM

Introduction to Caddy Caddy is a powerful and highly scalable web server that currently has 38K+ stars on Github. Caddy is written in Go language and can be used for static resource hosting and reverse proxy. Caddy has the following main features: Compared with the complex configuration of Nginx, its original Caddyfile configuration is very simple; it can dynamically modify the configuration through the AdminAPI it provides; it supports automated HTTPS configuration by default, and can automatically apply for HTTPS certificates and configure it; it can be expanded to data Tens of thousands of sites; can be executed anywhere with no additional dependencies; written in Go language, memory safety is more guaranteed. First of all, we install it directly in CentO

Real-time protection against face-blocking barrages on the web (based on machine learning) Real-time protection against face-blocking barrages on the web (based on machine learning) Jun 10, 2023 pm 01:03 PM

Face-blocking barrage means that a large number of barrages float by without blocking the person in the video, making it look like they are floating from behind the person. Machine learning has been popular for several years, but many people don’t know that these capabilities can also be run in browsers. This article introduces the practical optimization process in video barrages. At the end of the article, it lists some applicable scenarios for this solution, hoping to open it up. Some ideas. mediapipeDemo (https://google.github.io/mediapipe/) demonstrates the mainstream implementation principle of face-blocking barrage on-demand up upload. The server background calculation extracts the portrait area in the video screen, and converts it into svg storage while the client plays the video. Download svg from the server and combine it with barrage, portrait

How to configure nginx to ensure that the frps server and web share port 80 How to configure nginx to ensure that the frps server and web share port 80 Jun 03, 2023 am 08:19 AM

First of all, you will have a doubt, what is frp? Simply put, frp is an intranet penetration tool. After configuring the client, you can access the intranet through the server. Now my server has used nginx as the website, and there is only one port 80. So what should I do if the FRP server also wants to use port 80? After querying, this can be achieved by using nginx's reverse proxy. To add: frps is the server, frpc is the client. Step 1: Modify the nginx.conf configuration file in the server and add the following parameters to http{} in nginx.conf, server{listen80

How to implement form validation for web applications using Golang How to implement form validation for web applications using Golang Jun 24, 2023 am 09:08 AM

Form validation is a very important link in web application development. It can check the validity of the data before submitting the form data to avoid security vulnerabilities and data errors in the application. Form validation for web applications can be easily implemented using Golang. This article will introduce how to use Golang to implement form validation for web applications. 1. Basic elements of form validation Before introducing how to implement form validation, we need to know what the basic elements of form validation are. Form elements: form elements are

Using Jetty7 for Web server processing in Java API development Using Jetty7 for Web server processing in Java API development Jun 18, 2023 am 10:42 AM

Using Jetty7 for Web Server Processing in JavaAPI Development With the development of the Internet, the Web server has become the core part of application development and is also the focus of many enterprises. In order to meet the growing business needs, many developers choose to use Jetty for web server development, and its flexibility and scalability are widely recognized. This article will introduce how to use Jetty7 in JavaAPI development for We

Is PHP front-end or back-end in web development? Is PHP front-end or back-end in web development? Mar 24, 2024 pm 02:18 PM

PHP belongs to the backend in web development. PHP is a server-side scripting language, mainly used to process server-side logic and generate dynamic web content. Compared with front-end technology, PHP is more used for back-end operations such as interacting with databases, processing user requests, and generating page content. Next, specific code examples will be used to illustrate the application of PHP in back-end development. First, let's look at a simple PHP code example for connecting to a database and querying data:

How to enable administrative access from the cockpit web UI How to enable administrative access from the cockpit web UI Mar 20, 2024 pm 06:56 PM

Cockpit is a web-based graphical interface for Linux servers. It is mainly intended to make managing Linux servers easier for new/expert users. In this article, we will discuss Cockpit access modes and how to switch administrative access to Cockpit from CockpitWebUI. Content Topics: Cockpit Entry Modes Finding the Current Cockpit Access Mode Enable Administrative Access for Cockpit from CockpitWebUI Disabling Administrative Access for Cockpit from CockpitWebUI Conclusion Cockpit Entry Modes The cockpit has two access modes: Restricted Access: This is the default for the cockpit access mode. In this access mode you cannot access the web user from the cockpit

See all articles