欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

详解如何使用webpack在vue项目中写jsx语法

程序员文章站 2022-07-06 21:18:50
本文介绍了如何使用webpack在vue项目中写jsx语法,分享给大家,具体如下: 我们知道vue 2.0中对虚拟dom的支持。我们可以通过javascript动态的创建...

本文介绍了如何使用webpack在vue项目中写jsx语法,分享给大家,具体如下:

我们知道vue 2.0中对虚拟dom的支持。我们可以通过javascript动态的创建元素,而不用在template中写html代码。虚拟dom最终将被渲染为真正的dom。

data: {
 msg: 'hello world'
},
render (h) {
 return h(
 'div',
 { attrs: { id: 'my-id' },
 [ this.msg ]
 );
}

渲染后的内容为:

<div id='my-id'>hello world</div>

vue 2.0中的render为我们开启了一片新的天地,赋予了我们无限的想象力。比如,我们可以把react中用到的jsx语法应用到vue中来。接下来,我们就聊聊怎么在vue项目中使用jsx.

jsx简介

jsx是基于javascript的语言扩展, 它允许在javascript代码中插入xml语法风格的代码。如下所示:

data: {
 msg: 'hello world'
},
render (h) {
 return (
 <div id='my-id'>,
  { this.msg } 
 </div>
 );
}

但值得注意的是,浏览器默认是解析不了jsx的,它必须要先编译成标准的javascript代码才可以运行。就像我们需要将sass或者less编译为css代码之后才能运行一样。

在vue中使用jsx

vue框架并没有特意地去支持jsx,其实它也没必要去支持,因为jsx最后都会编译为标准的javascript代码。既然这样, 那vue和jsx为什么能配合在一起使用呢? 很简单, 因为vue支持虚拟dom, 你可以用jsx或者其他预处理语言,只要能保证render方法正常工作即可。

vue官方提供了一个叫做的插件来编译jsx, 我们稍后介绍如何使用它。

为什么要在vue中使用jsx

为什么要再vue中使用jsx ? 其实vue并没有强迫你去使用jsx, 它只是提供了一种新的方式而已。正所谓萝卜青菜,各有所爱。有的人觉得在render方法中使用jsx更简洁,有的人却觉得在javascript代码中混入html代码很恶心。反正你喜欢就用,不喜欢就不用呗。废话少说,我们先看一个简单的应用:
script.js

new vue({
 el: '#app',
 data: {
 msg: 'click to see the message'
 },
 methods: {
 hello () {
  alert('this is the message')
 }
 }
});

index.html

<div id="app">
 <span 
  class="my-class" 
  style="cursor: pointer" 
  v-on:click="hello"
 >
  {{ msg }}
 </span>
</div>

代码很简单,就是在页面上显示一个span, 里面的内容为"click to see the message"。当点击内容时,弹出一个alert。我们看看用render怎么实现。

用vue 2.0中的render函数实现

script.js

new vue({
 el: '#app',
 data: {
 msg: 'click to see the message'
 },
 methods: {
 hello () {
  alert('this is the message')
 }
 },
 render (createelement) {
 return createelement(
  'span',
  {
  class: { 'my-class': true },
  style: { cursor: 'pointer' },
  on: {
   click: this.hello
  }
  },
  [ this.msg ]
 );
 },
});

index.html

<div id="app"><!--span will render here--></div>

使用jsx来实现

script.js

new vue({
 el: '#app',
 data: {
 msg: 'click to see the message.'
 },
 methods: {
 hello () {
  alert('this is the message.')
 }
 },
 render: function render(h) {
 return (
  <span
  class={{ 'my-class': true }}
  style={{ cursor: 'pointer' }}
  on-click={ this.hello }
  >
  { this.msg }
  </span>
 )
 }
});

index.html和上文一样。

babel-plugin-transform-vue-jsx

正如前文所说, jsx是需要编译为javascript才可以运行的, 所以第三个样例需要有额外的编译步骤。这里我们用babel和webpack来进行编译。

打开你的webpack.config.js文件, 加入babel loader:

loaders: [
 { test: /\.js$/, loader: 'babel', exclude: /node_modules/ }
]

新建或者修改你的.babelrc文件,加入 babel-plugin-transform-vue-jsx 这个插件

{
 "presets": ["es2015"],
 "plugins": ["transform-vue-jsx"]
}

现在运行webpack, 代码里面的jsx就会被正确的编译为标准的javascript代码。

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。