manaco editor

[monaco editor官網(wǎng)] https://microsoft.github.io/monaco-editor/index.html
[github] https://github.com/Microsoft/monaco-editor

初始化安裝

npm install monaco-editor --save
npm install monaco-editor-webpack-plugin --save-dev

webpack.base.conf.js添加配置(或vue.config.js添加配置)

const MonacoWebpackPlugin = require('monaco-editor-webpack-plugin');
...
module.exports = {
 ...
 plugins: [
   ...
   new MonacoWebpackPlugin()
 ]
};

vue.config.js添加配置(或webpack.base.conf.js添加配置)

const MonacoWebpackPlugin = require('monaco-editor-webpack-plugin')
/* editor */
config.plugin('monaceditor')
.use(MonacoWebpackPlugin, [{
   languages: ['json', 'sql', 'javascript', 'typescript'] //項目所使用的語言
}])

常用配置

  • readOnly:是否已讀
  • minimap:是否顯示索引地圖
  • automaticLayout:編輯器自適應(yīng)布局
  • formatOnPaste:復(fù)制粘貼的時候格式化
  • lineNumbersMinChars:顯示行號的位數(shù)成箫,控制行號顯示的寬度
    更多配置
this.monacoEditor = monaco.editor.create(
          this.$refs.editor,
          {
            value: this.value,//值
            language: this.language || 'sql',//設(shè)置語言
            formatOnPaste: true,//復(fù)制粘貼的時候格式化
            theme: 'vs-dark',//設(shè)置主題
            tabSize: 4,//縮進
            fontFamily: '微軟雅黑',//字體
            automaticLayout: true,//編輯器自適應(yīng)布局
            overviewRulerBorder: false,
            scrollBeyondLastLine: false,//滾動配置谬俄,溢出才滾動
            lineNumbersMinChars: 3,//顯示行號的位數(shù)
            minimap: { enabled: this.minimap }//是否顯示索引地圖
          }
        )

更新配置

this.monacoEditor.updateOptions({ readOnly: value })

獲取值和賦值

//獲取值
this.monacoEditor.getValue()
//賦值
this.monacoEditor.setValue(this.value)

格式化

  1. sql語言格式化
//安裝 npm i sql-formatter
import sqlFormatter from 'sql-formatter'
this.monacoEditor.setValue(sqlFormatter.format(this.value))
  1. json,javascript等語言格式化
// 初始化格式化需要添加setTimeout,格式化才有效;非初始化則不需要
setTimeout(() => {
  this.monacoEditor.getAction('editor.action.formatDocument').run()
}, 500)

失焦時更新值

this.monacoEditor.onDidBlurEditorText(() => {
   this.$emit('update', this.monacoEditor.getValue())
})

監(jiān)聽值變化

this.monacoEditor.onDidChangeModelContent(e => {
   this.$emit('update', this.monacoEditor.getValue()) //使value和其值保持一致
}

智能提示

const suggestions = [{
    label: 'simpleText',//展示
    insertText: 'simpleText'//實際輸入到editor
}, {
    label: 'simpleText1',
    insertText: 'simpleText1'
}]
monaco.languages.registerCompletionItemProvider(this.language, {
   provideCompletionItems: () => {
     return { suggestions: suggestions }
  },
  triggerCharacters: [':'] //觸發(fā)智能提示關(guān)鍵詞
 }))

容易出現(xiàn)的bug

  • 智能提示重復(fù)
    原因:monaco.languages.registerCompletionItemProvider注冊時婴栽,由于monaco.languages為全局對象坐搔,重復(fù)實現(xiàn)實例内列,導(dǎo)致智能提示重復(fù)
    解決辦法:
    1.一種語言只注冊一次
    2.失焦時將suggestions_ = []寄啼,聚焦時suggestions_ = suggestions
this.monacoEditor.onDidBlurEditorText(() => {
   this.suggestions_ = [] // 解決多個編輯器suggestions緩存問題
   this.$emit('update', this.monacoEditor.getValue())
})
this.monacoEditor.onDidFocusEditorText(() => {
   this.suggestions_ = this.suggestions // 解決多個編輯器suggestions緩存問題
})
  • 使用json語言,worker.js引用報錯
    解決辦法:可參考應(yīng)用2钠乏,手動引用

vue應(yīng)用

1.SQL Editor

  • 支持sql語言
  • 支持格式化
  • 支持智能提示
  • 支持placeholder
  • 支持獲取選中內(nèi)容
  • 支持自定義主題
  • 支持監(jiān)聽值變化
<template>
<div class="sql-panel">
  <span class="sql-placeholder" v-if="placeholderShow" @click="focusEdit">請輸入sql語句</span>
  <div ref="sqlEditor" class="sql-editor" :style="{height: height}"></div>
</div>
</template>

<script>
import * as monaco from 'monaco-editor'
import sqlFormatter from 'sql-formatter'
/* const suggestions = [{
    label: 'simpleText',
    insertText: 'simpleText'
}, {
    label: 'simpleText1',
    insertText: 'simpleText1'
}] */
export default {
  name: 'SqlEditor',
  inject: ['eventBus'],
  props: {
    value: String,
    height: String
  },
  model: {
    prop: 'value', // 綁定的值栖秕,通過父組件傳遞
    event: 'update' // 自定義事件名
  },
  data () {
    return {
      value_: this.value,
      suggestions: [],
      placeholderShow: false,
      lineValue: '\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n'
    }
  },
  created () {
    this.eventBus.$on('beautify-sql', this.beautifySql)
    window.onresize = () => {
      this.height_ = this.getHeight()
    }
  },
  mounted () {
    setTimeout(() => {
      this.creatMonacoEditor()
    }, 200)
  },
  methods: {
    getHeight () {
      return (window.innerHeight - 195) + 'px'
    },
    /* 智能提示 */
    async provideCompletionItems (model, position, context, token) {
      monaco.languages.isRegistered = true
      let linesContent = model.getLinesContent().slice(0, this.endLineNumber)
      linesContent[this.endLineNumber - 1] = linesContent[this.endLineNumber - 1].slice(0, this.endColumn)
      await this.getSuggestions(linesContent.join(''))
      return { suggestions: this.suggestions }
    },
    getSuggestions (sql) {
      return this.$api['dataModelAdd/getSuggestions']({
        sqlSentences: sql
      }).then((data) => {
        this.suggestions = data || []
      })
    },
    beautifySql () {
      this.monacoEditor.setValue(sqlFormatter.format(this.value || '', {
        indent: '    '
      }))
    },
    setValue (value) {
      this.monacoEditor.setValue(sqlFormatter.format(value))
    },
    getSelection () {
      if (this.monacoEditor) {
        let selection = this.monacoEditor.getSelection()
        return this.monacoEditor.getModel().getValueInRange(selection)
      }
      return this.value
    },
    creatMonacoEditor () {
      if (this.monacoEditor) return
      // 創(chuàng)建
      this.monacoEditor = monaco.editor.create(
        this.$refs.sqlEditor,
        {
          value: this.value || this.lineValue,
          language: 'sql',
          tabSize: 4,
          fontFamily: '微軟雅黑',
          automaticLayout: true,
          overviewRulerBorder: false,
          scrollBeyondLastLine: false,
          minimap: { enabled: false }
        }
      )
      this.setPlaceholder(this.value === '')
      this.setTheme()
      // 監(jiān)聽變化
      this.monacoEditor.onDidChangeModelContent(e => {
        this.endColumn = e.changes[0].range.endColumn
        this.endLineNumber = e.changes[0].range.endLineNumber
        this.value_ = this.monacoEditor.getValue()
        this.setPlaceholder(e.changes[0].text === '' && this.value_.trim() === '')
        this.$emit('update', this.value_)
      })
      // 提示
      monaco.languages.isRegistered || monaco.languages.registerCompletionItemProvider('sql', {
        provideCompletionItems: this.provideCompletionItems
      })
    },
    focusEdit () {
      this.monacoEditor.focus()
    },
    setPlaceholder (show) {
      this.placeholderShow = show
      show && this.monacoEditor.focus()
    },
    setTheme () {
      monaco.editor.defineTheme('myTheme', {
        base: 'vs',
        inherit: true,
        rules: [],
        colors: {
          'editor.lineHighlightBackground': '#fff'
        }
      })
      monaco.editor.setTheme('myTheme')
    }
  }
}
</script>
<style lang="less" scoped>
.sql-panel{
  position: relative;
}
.sql-placeholder{
  position: absolute;
  left: 75px;
  top: 0;
  z-index: 1;
  line-height: 24px;
  font-family: '微軟雅黑'
}
</style>

2.多語言Editor

  • 支持json,sql,javascript,自定義語言
  • 支持格式化
  • 支持智能提示
  • 支持自定義語言
  • 支持失焦更新值
  • 支持編輯器自適應(yīng)
<template>
  <div ref="editor" class="editor" style="height:100%;"></div>
</template>

<script>
import Vue from 'vue'
import sqlFormatter from 'sql-formatter'

const CUSTOMLANGUAGE = 'custom'

export default {
  props: {
    value: String,
    language: String,
    readOnly: {
      type: Boolean,
      default: false
    },
    minimap: {
      type: Boolean,
      default: false
    },
    suggestions: Array
  },
  model: {
    prop: 'value',
    event: 'update'
  },
  watch: {
    value: {
      handler (value) {
        this.monacoEditor && this.format()
      },
      immediate: true
    },
    minimap: {
      handler (value) {
        this.updateOptions({ minimap: value })
      },
      immediate: true
    },
    readOnly: {
      handler (value) {
        this.updateOptions({ readOnly: value })
      },
      immediate: true
    }
  },
  mounted () {
    this.creatMonacoEditor()
  },
  methods: {
    creatMonacoEditor () {
      // if (this.monacoEditor) return
      import(/* webpackChunkName: "monaco-editor" */ /* webpackMode: "lazy" */ 'monaco-editor').then((monaco) => {
        // MonacoEnvironment定義要放到這里,不然會被覆蓋
        window.MonacoEnvironment = {
          getWorkerUrl (moduleId, label) {
            if (label === 'json') {
              return `data:text/javascript;charset=utf-8,${encodeURIComponent(`
                  importScripts('存放路徑/json.worker.js');`
              )}`
            }
            if (label === 'javascript') {
              return `data:text/javascript;charset=utf-8,${encodeURIComponent(`
                  importScripts('存放路徑/typescript.worker.js');`
              )}`
            }
            return `data:text/javascript;charset=utf-8,${encodeURIComponent(`
                importScripts('存放路徑/editor.worker.js');`
            )}`
          }
        }
        /* 初始化自定義語言 */
        if (this.language === CUSTOMLANGUAGE && !monaco.languages.customLanguage) {
          monaco.languages.customLanguage = true
          monaco.languages.register({ id: this.language })
        }
        /* 創(chuàng)建編輯器 */
        this.monacoEditor = monaco.editor.create(
          this.$refs.editor,
          {
            value: this.value,
            language: this.language || 'sql',
            formatOnPaste: true,
            theme: 'vs-dark',
            tabSize: 4,
            fontFamily: '微軟雅黑',
            automaticLayout: true,
            overviewRulerBorder: false,
            scrollBeyondLastLine: false,
            lineNumbersMinChars: 3,
            minimap: { enabled: this.minimap }
          }
        )

        this.initFormat()

        this.monacoEditor.onDidBlurEditorText(() => {
          this.$emit('update', this.monacoEditor.getValue())
        })

        monaco.languages.isRegistered === this.language || (this.suggestions &&
          this.suggestions.length && monaco.languages.registerCompletionItemProvider(this.language, {
          provideCompletionItems: () => {
            monaco.languages.isRegistered = this.language
            return { suggestions: _.cloneDeep(this.suggestions) }
          },
          triggerCharacters: [':']
        }))
      })
    },
    initFormat () {
      if (this.language === CUSTOMLANGUAGE) {
        return
      }
      this.language === 'sql' ? this.sqlFormat() : setTimeout(() => {
        this.monacoEditor.getAction('editor.action.formatDocument').run()
          .then(() => {
            this.monacoEditor.updateOptions({ readOnly: this.readOnly })
          })
      }, 500)
    },
    format () {
      if (this.language === CUSTOMLANGUAGE) {
        this.monacoEditor.setValue(this.value)
        return
      }
      this.language === 'sql' ? this.sqlFormat() : this.jsonFormat()
    },
    sqlFormat () {
      this.monacoEditor.setValue(sqlFormatter.format(this.value))
    },
    jsonFormat () {
      this.monacoEditor.setValue(this.value)
      this.monacoEditor.updateOptions({ readOnly: false })
      this.monacoEditor.getAction('editor.action.formatDocument').run()
        .then(() => {
          this.monacoEditor.updateOptions({ readOnly: this.readOnly })
        })
    },
    updateOptions (opts) {
      this.monacoEditor && this.monacoEditor.updateOptions(opts)
    }
  }
}
</script>


最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末晓避,一起剝皮案震驚了整個濱河市簇捍,隨后出現(xiàn)的幾起案子只壳,更是在濱河造成了極大的恐慌,老刑警劉巖垦写,帶你破解...
    沈念sama閱讀 212,454評論 6 493
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件吕世,死亡現(xiàn)場離奇詭異彰触,居然都是意外死亡梯投,警方通過查閱死者的電腦和手機,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 90,553評論 3 385
  • 文/潘曉璐 我一進店門况毅,熙熙樓的掌柜王于貴愁眉苦臉地迎上來分蓖,“玉大人,你說我怎么就攤上這事尔许∶春祝” “怎么了?”我有些...
    開封第一講書人閱讀 157,921評論 0 348
  • 文/不壞的土叔 我叫張陵味廊,是天一觀的道長蒸甜。 經(jīng)常有香客問我,道長余佛,這世上最難降的妖魔是什么柠新? 我笑而不...
    開封第一講書人閱讀 56,648評論 1 284
  • 正文 為了忘掉前任,我火速辦了婚禮辉巡,結(jié)果婚禮上恨憎,老公的妹妹穿的比我還像新娘。我一直安慰自己郊楣,他們只是感情好憔恳,可當我...
    茶點故事閱讀 65,770評論 6 386
  • 文/花漫 我一把揭開白布。 她就那樣靜靜地躺著净蚤,像睡著了一般钥组。 火紅的嫁衣襯著肌膚如雪。 梳的紋絲不亂的頭發(fā)上今瀑,一...
    開封第一講書人閱讀 49,950評論 1 291
  • 那天程梦,我揣著相機與錄音,去河邊找鬼放椰。 笑死作烟,一個胖子當著我的面吹牛,可吹牛的內(nèi)容都是我干的砾医。 我是一名探鬼主播拿撩,決...
    沈念sama閱讀 39,090評論 3 410
  • 文/蒼蘭香墨 我猛地睜開眼,長吁一口氣:“原來是場噩夢啊……” “哼如蚜!你這毒婦竟也來了压恒?” 一聲冷哼從身側(cè)響起影暴,我...
    開封第一講書人閱讀 37,817評論 0 268
  • 序言:老撾萬榮一對情侶失蹤,失蹤者是張志新(化名)和其女友劉穎探赫,沒想到半個月后型宙,有當?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體,經(jīng)...
    沈念sama閱讀 44,275評論 1 303
  • 正文 獨居荒郊野嶺守林人離奇死亡伦吠,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 36,592評論 2 327
  • 正文 我和宋清朗相戀三年妆兑,在試婚紗的時候發(fā)現(xiàn)自己被綠了。 大學(xué)時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片毛仪。...
    茶點故事閱讀 38,724評論 1 341
  • 序言:一個原本活蹦亂跳的男人離奇死亡搁嗓,死狀恐怖,靈堂內(nèi)的尸體忽然破棺而出箱靴,到底是詐尸還是另有隱情腺逛,我是刑警寧澤,帶...
    沈念sama閱讀 34,409評論 4 333
  • 正文 年R本政府宣布衡怀,位于F島的核電站棍矛,受9級特大地震影響,放射性物質(zhì)發(fā)生泄漏抛杨。R本人自食惡果不足惜够委,卻給世界環(huán)境...
    茶點故事閱讀 40,052評論 3 316
  • 文/蒙蒙 一、第九天 我趴在偏房一處隱蔽的房頂上張望蝶桶。 院中可真熱鬧慨绳,春花似錦、人聲如沸真竖。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,815評論 0 21
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽恢共。三九已至战秋,卻和暖如春,著一層夾襖步出監(jiān)牢的瞬間讨韭,已是汗流浹背脂信。 一陣腳步聲響...
    開封第一講書人閱讀 32,043評論 1 266
  • 我被黑心中介騙來泰國打工, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留透硝,地道東北人狰闪。 一個月前我還...
    沈念sama閱讀 46,503評論 2 361
  • 正文 我出身青樓,卻偏偏與公主長得像濒生,于是被迫代替她去往敵國和親埋泵。 傳聞我的和親對象是個殘疾皇子,可洞房花燭夜當晚...
    茶點故事閱讀 43,627評論 2 350

推薦閱讀更多精彩內(nèi)容