# Vue开发项目过程遇到的问题

  1. 如何使用lodash

img

  1. 使用element.scrollIntoView()

让当前的元素滚动到浏览器窗口的可视区域内。

  1. 使用element输入框
  • vue监听el-input输入框的回车事件:@keyup.enter.native="方法名"
  • 当一个 form 元素中只有一个输入框时,在该输入框中按下回车会提交该表单。如果希望阻止这一默认行为,可以在标签上添加 @submit.native.prevent。或者为表单元素增加属性 onSubmit="return false"
<el-form @submit.native.prevent>
.....
</el-form>
1
2
3
  1. vue中使用可选链操作符 在template中使用(目前Vue默认是不支持在template中使用可选链操作符的,如果我们想要实现可选链操作符类似的效果,需要绕一个弯,具体代码如下)
// utils.js
/**
 * 解决Vue Template模板中无法使用可选链的问题
 * @param obj
 * @param rest
 * @returns {*}
 */
export const optionalChaining = (obj, ...rest) => {
  let tmp = obj;
  for (let key in rest) {
    let name = rest[key];
    tmp = tmp?.[name];
  }
  return tmp || "";
};

// main.js
import {optionalChaining} from "./utils/index";
 
Vue.prototype.$$ = optionalChaining;

// .vue
<template>
    <div class="container">
        <div class="username">{{$$(userInfo,"friends",0,"userName")}}</div>
    </div>
</template>
 
<script>
    export default {
        name: "test",
        data(){
            return {
                userInfo:{}
            }
        }
    }
</script>
 
<style scoped>
 
</style>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42