addTimeNode () {
this.$set(this.dynamicForm.timeNodes, this.timeNodesCount, {
time: {
message: '节点时间不能为空',
value: ''
},
content: {
message: '节点内容不能为空',
value: ''
},
url: {
message: '',
value: ''
},
key: Date.now()
})
},
this.isValidation = !this.isValidation
{{innerMessage}}
watch: {
isValidation (val) {
if (val) {
if (this.message) {
if (this.value === '') {
this.innerMessage = this.message
}
}
}
}
}
{{label}}
.asterisk::before {
content: '*';
color: red;
}
ref通常用于获取页面上的dom相关信息,如果需要获取input的值,可以用v-model
<input type="text" @keyup.enter="searchData" autocomplete="off" placeholder="搜索" class="search-input" v-model="searchInputContent" autofocus>
可以设置一个searchText变量,当点击搜索按钮后,将v-model绑定的输入值searchInput赋值给searchText,再监听searchText
<input type="text" @keyup.enter="searchData" autocomplete="off" placeholder="搜索" class="search-input" v-model="searchInputContent" autofocus>
searchData () {
this.searchText = this.searchInputContent
this.searchedListItems = listItems
window.location.hash = this.windowHash
this.searchInputContent = ''
},
watch: {
searchText: {
handler: function (value) {
if (value) {
let searchInputContent = RegExp(value, 'i')
this.searchedListItems = this.listItems.filter(item => searchInputContent.test(item.name))
this.currentPageNumber = 1
this.totalPageNumber = this.totalPageNumber === -1 ? 1 : this.totalPageNumber
} else {
this.searchedListItems = this.listItems
}
}
}
},
totalPageNumber: {
get () {
return this.visibleListItems.length < 1 ? 1 : Math.ceil(this.searchedListItems.length / this.pageCount)
},
set (value) {
return value
}
},
allItemStatus: {
get () {
return this.checkedItemLength === this.visibleListItems.length
},
set (value) {
this.visibleListItems.forEach(function (item) {
item.check = value
})
}
},
根据数据的索引和设置的页大小(每页展示的数据条数),截取总的数据列表,展示相应条数的数据
visibleListItems: {
get () {
return this.searchedListItems.slice(this.currentPageNumber * this.pageCount - this.pageCount,
this.currentPageNumber * this.pageCount - this.curPageDeleteCount)
},
set (value) {
return value
}
}
只为 @input 提供一个函数名称作为变量时,Vue 会自己将实际参数传入函数的第一个形参,但要自定义传参顺序时,可以使用 $event 来灵活表示了。
其中,:value 与 @input 是可以使用 model 选项自定义
export default {
model: {
prop: 'content',
event: 'change'
}
}
bar = val">
this.$emit('update:foo', newValue)
包含了父作用域中的 (不含 .native 修饰器的) v-on 事件监听器。它可以通过 v-on=”$listeners” 传入内部组件——在创建更高层次的组件时非常有用。
包含了父作用域中不被认为 (且不预期为) props 的特性绑定 (class 和 style 除外)。当一个组件没有声明任何 props 时,这里会包含所有父作用域的绑定 (class 和 style 除外),并且可以通过 v-bind=”$attrs” 传入内部组件——在创建更高层次的组件时非常有用。
value属性,input事件
checked属性,change事件
props: {
type: {
type: String,
default: 'text'
},
value: {
type: [String, Number, Array, Boolean],
default: ''
},
...
}
data () {
return {
inputValue: this.value
}
},
model: {
prop: 'value',
event: 'change'
},
watch: {
inputValue (val) {
this.$emit('change', val)
}
}
{{item}}
{{index}}
{{item.id}}
{{item.name}}
{{item.age}}
编辑
Name:
data () {
return {
// 分页数据
// 页大小
size: 3,
// 跳转页
go_input: null,
// 当前页
current: 1
}
},
methods: {
// 分页功能
handlePrev () {
this.current = this.current > 1 ? this.current = this.current - 1 : this.current
},
handleNext () {
this.current = this.current < this.all_page ? this.current + 1 : this.current
},
handleGo () {
var go = Number(this.go_input)
this.current = go <= this.all_page && go > 0 ? go : this.current
this.go_input = ''
}
},
computed: {
// 分页功能
// 总页数
all_page () {
var temp = this.tbodys.length / this.size
if (temp === 0) {
return 1
} else {
return Math.floor(temp) + 1
}
},
// 当前页
cur: {
get () {
return Math.floor(this.index / this.all_page) + 1 || 1
},
set (value) {
this.current = value
}
},
// 上一页
prev_page () {
return this.current - 1 || 0
},
// 下一页
next_page () {
return this.current + 1 || 2
},
// 分页
filterPage () {
var tempCurrent = this.current * this.size - this.size
return this.filteredTbodys.slice(tempCurrent, tempCurrent + this.size)
}
}
{{index}}
{{item.id}}
{{item.name}}
{{item.age}}
// 删除功能
handleDel (index) {
this.tbodys.splice(index, 1)
this.filteredTbodys = this.tbodys
}
{{item}}
{{index}}
{{item.id}}
{{item.name}}
{{item.age}}
编辑
Name:
data () {
return {
// 编辑弹框
modal_data: {
name: '',
visible: false
},
edit_input: '',
id: 0,
// 表格标题数据
theads: ['Index', 'ID', 'Name', 'Age'],
// 表格表体数据
tbodys: [
{
check: false,
index: 0,
id: Date.now(),
name: 'jack',
age: 12
},
{
check: true,
index: 0,
id: Date.now() + 1,
name: 'rose',
age: 14
},
{
check: false,
index: 0,
id: Date.now() + 2,
name: 'davy',
age: 45
},
{
check: false,
index: 0,
id: Date.now() + 3,
name: 'curry',
age: 20
},
{
check: true,
index: 0,
id: Date.now() + 4,
name: 'lis',
age: 33
},
{
check: false,
index: 0,
id: Date.now() + 5,
name: 'linger',
age: 60
},
{
check: false,
index: 0,
id: Date.now() + 6,
name: 'hoc',
age: 44
}
]
}
},
methods: {
// 编辑弹框
getModalData (index) {},
handleEdit (id) {
// this.filteredTbodys.visible = true
this.modal_data.visible = true
this.id = id
},
handleCancel () {
this.modal_data.visible = false
},
handleSubmit () {
console.log(this.id)
this.modal_data.name = this.edit_input
console.log(this.modal_data.name)
for (var i = 0; i < this.filteredTbodys.length; i++) {
if (this.filteredTbodys[i].id === this.id) {
this.filteredTbodys[i].name = this.modal_data.name
}
}
this.modal_data.visible = false
},
},
filtered () {
return this.tbodys.filter(item => {
return item.check === true
})
},
count () {
return this.filtered.length
},
select_all: {
get () {
return this.count === this.tbodys.length
},
set (value) {
this.tbodys.forEach(function (item) {
item.check = value
})
}
}
{{index}}
{{item.id}}
{{item.name}}
{{item.age}}
data () {
return {
// 搜索输入内容
searchText: '',
filteredTbodys: [],
},
}
methods: {
// 搜索按钮
search_input_btn () {
this.searchText = this.$refs.search.value
}
},
watch: {
searchText: {
handler: function (value) {
var search = value.toLowerCase()
var tbodys = this.tbodys
this.filteredTbodys = tbodys.filter(function (row) {
return Object.keys(row).some(function (key) {
return (String(row[key]).toLowerCase().indexOf(search) > -1)
})
})
},
immediate: true
}
},
add(data) {
if(!data) {
return
}
data = data.trim()
this.list.push({
id: this.id,
title: data,
check: false
})
},
addItem() {
this.$emit('add',this.title)
this.title = ''
}
remove(index) {
this.list.splice(index,1)
}
main.vue
removeItem() {
this.$emit("remove", this.todo);
},
Vue 将被侦听的数组的变更方法进行了包裹,所以它们也将会触发视图更新。这些被包裹过的方法包括:
push()
pop()
shift()
unshift()
splice()
sort()
reverse()
不会变更原始数组,而总是返回一个新数组。当使用非变更方法时,可以用新数组替换旧数组:
filter()
concat()
slice()
数组排序时sort()方法会改变原始数组,使用.slice()返回一个新数组
gridbd = gridbd.slice().sort(function(a, b) {
a = a[sortkey]
b = b[sortkey]
return (a === b ? 0 : a > b ? 1 : -1) * order
})
:class="{bold: isFolder}"
computed: {
// 判断是否是文件夹,如果有子文件则返回1,没有子文件则不是文件夹
isFolder() {
return this.item.children && this.item.children.length
}
},
methods: {
// 判断是否是文件夹,是的话切换状态是否折叠
toggle() {
if(this.isFolder) {
// console.log(1);
this.isOpen = !this.isOpen
}
}
}
使用name: ‘需要递归调用的组件名称’
Vue.set( target, propertyName/index, value )
ps:在模版中使用此方法需要导入vue
import Vue from 'vue'
makeFolder(item) {
Vue.set(item, 'children',[])
this.addItem(item)
},
addItem(item) {
item.children.push({
name: '新的文件'
})
}
makeFolder: function() {
if (!this.isFolder) {
this.$emit("make-folder", this.item);
this.isOpen = true;
}
}
{{ key | capitalize }}
filters: {
capitalize: function(str) {
return str.charAt(0).toUpperCase() + str.slice(1);
}
},
vm.$emit( eventName, […args] )
{string} eventName
[…args]
触发当前实例上的事件。附加参数都会传给监听器回调。
用法:给父元素添加子元素
+
1、记录当前页面的状态(保存或分享当前页的url,再次打开该url时,网页还是保存的(分享)时的状态);
2、可是使用浏览器的前进后退功能(如点击后退按钮,可以使页面回到ajax更新页面之前的状态,url也回到之前的状态)
1、改变url且不让浏览器向服务器发出请求;
2、监测url的变化;
3、截获url地址,并解析出需要的信息来匹配路由规则。
1、hash模式
这里的hash就是指url尾巴后的#号以及后面的字符。这里的#和css里的#是一个意思。hash也称作锚点,本身是用来做页面定位的,他可以使对应的id元素显示在可视区域内。
由于hash值变化不会导致浏览器向服务器发出请求,而且hash改变会触发hashchange事件,浏览器的进后退也能对其进行控制,所以人们在html5的history出现前,基本都是使用hash来实现前端路由的。他的特点在于:hash虽然出现url中,但不会被包含在HTTP请求中,对后端完全没有影响,因此改变hash不会重新加载页面。hash 本来是拿来做页面定位的,如果拿来做路由的话,原来的锚点功能就不能用了。其次,hash的而传参是基于url的,如果要传递复杂的数据,会有体积的限制
2、history模式
history模式不仅可以在url里放参数,还可以将数据存放在一个特定的对象中。
history———利用了HTML5 History Interface 中新增的pushState()和replaceState()方法。(需要特定浏览器的支持)history不能运用与IE8一下
这两个方法应用于浏览器的历史纪录站,在当前已有的back、forward、go 的基础之上,他们提供了对历史纪录进行修改的功能,只是当他们执行修改使,虽然改变了当前的url,但你的浏览器不会立即像后端发送请求。
1、hash模式s下,仅hash符号之前的内容会被包含在请求中,如 http://www.abc.com 因此对于后端来说,即使没有做到对路由的全覆盖,也不会返回404错误;
2、history模式下,前端的url必须和实际后端发起请求的url一致,如http://www.abc.com/book/id 。如果后端缺少对/book/id 的路由处理,将返回404错误。
<li
class="item"
:list="list"
v-for="todo in list"
:key="todo.id"
:style="{ background: bgColor===todo.id ? '#eee' : 'transparent'}"
@mouseenter="handle(true,todo.id)"
@mouseleave="handle(false,todo.id)"
>
<div class="view">
<input type="checkbox" v-model="todo.check" />
<label class="content">{{ todo.title }}label>
<button class="destroy" v-show="isShow" @click="removeItem">xbutton>
div>
li>
data() {
return {
isShow: false,
bgColor: 0,
};
},
methods: {
handle(flag,id) {
if (flag) {
this.bgColor = id;
this.isShow = true;
} else {
this.bgColor = 0;
this.isShow = false;
}
},
}
删除:
removeTodo: function (todo) {
this.todos.splice(this.todos.indexOf(todo), 1)
},
添加:
addTodo: function () {
// 去除前后空格
var value = this.newTodo && this.newTodo.trim();
// 输入为空则不处理
if (!value) {
return;
}
// TODO: Use a proper UUID instead of `Date.now()`.
this.todos.push({ id: Date.now(), title: value, completed: false });
// 清除输入框
this.newTodo = '';
},
var filters = {
//返回全部项目
all: function (todos) {
return todos
},
//返回未完成的项目
active: function (todos) {
return todos.filter(function (todo) {
return !todo.completed//filter()只会返回true的数组元素
})
},
//返回完成的项目
completed: function (todos) {
return todos.filter(function (todo) {
return todo.completed
})
}
}
var STORAGE_KEY = 'todos-vuejs-2.0'
var todoStorage = {
//将数据提取出来
fetch: function () {
var todos = JSON.parse(localStorage.getItem(STORAGE_KEY) || '[]')
todos.forEach(function (todo, index) {
todo.id = index
})
todoStorage.uid = todos.length
return todos
},
// 将数据存储到localStorage
save: function (todos) {
localStorage.setItem(STORAGE_KEY, JSON.stringify(todos))
}
}
④
...
⑤
methods:{
editTodo: function (todo) {
//将原本的任务title赋予到临时的beforeEditCache中,然后放在cancelEdit中可以调用
this.beforeEditCache = todo.title
this.editedTodo = todo
},
doneEdit: function (todo) {
if (!this.editedTodo) {
return
}
this.editedTodo = null
todo.title = todo.title.trim()//去除空格
if (!todo.title) {
this.removeTodo(todo)
}
},
cancelEdit: function (todo) {
this.editedTodo = null
todo.title = this.beforeEditCache
},
}
...
directives: {
'todo-focus': function (el, binding) {
if (binding.value) {
el.focus()
}
}
}
在④的时候采用@dblclick双击才能触发editTodo方法,值得注意的是,④和⑤在位置上通过css(通过:class实现样式的替换)重合了起来,实现了⑤替换④的操作,然后在⑤中利用了 v-todo-focus将焦点从④转换到了⑤.然后⑤中通过键盘操作来进行完成编辑和取消编辑的方法操作
filteredTodos: function () {
return filters[this.visibility](this.todos)
},
remaining: function () {//返回未完成任务的数量
return filters.active(this.todos).length
},
allDone: {
get: function () {
return this.remaining === 0
},
set: function (value) {
this.todos.forEach(function (todo) {
todo.completed = value
})
}
}
这个get函数和set函数是访问器属性,它们不包含数据值,在读取访问器属性的就会代用getter函数来返回有效的值.在写入访问器属性时会调用setter函数并传入新值.
回到代码当中,这段代码的作用就是,在读取allDone的时候调用 get函数,使图二左下角的任务未完成数为零,在点击①的时候传入value,调用set函数将每一个任务的todo.completed都改成与allDone相同的value,从而实现全选或全不选
这里用v-model进行双向数据绑定,把③这个复选框绑定todo.completed,使得input为√的时候则todo.completed为true
...
computed: {
filteredTodos: function () {
return filters[this.visibility](this.todos)
},
}
在li中通过:class来给visibility赋值,visibility值变了之后使得css发生相应的变化,然后url变化调用onHashChange 方法,若url后缀变为#/active,
function onHashChange () {
var visibility = window.location.hash.replace(/#\/?/, '')//获取url后缀并去除/#\/?/多余符号
if (filters[visibility]) {
//若filters[visibility]存在则赋予给这个组件内的visibility值(visibility值变化则使computed中的filteredTodos函数返回值变化,则实现切换任务状态可见)
app.visibility = visibility
} else {
window.location.hash = ''//若后缀为空则使组件内的visibility值为'all'
app.visibility = 'all'
}
}
window.addEventListener('hashchange', onHashChange)//监听
v-cloak说明之后的代码是隐藏到编译结束为止的,也就是说那段代码只有在满足v-show的条件才会显示出来的
moveTimeNode (index, item, decoration) {
this.dynamicForm.timeNodes.splice(index, 1)
switch (decoration) {
case 'down':
this.dynamicForm.timeNodes.splice(index + 1, 0, item)
break
case 'up':
this.dynamicForm.timeNodes.splice(index - 1, 0, item)
break
default:
break
}
}
查找一个对象是否有某个属性,但是不会去查找它的原型链。
hasOwnProperty 作为属性名时:使用一个可扩展的hasOwnProperty方法来获取正确的结果
({}).hasOwnProperty.call(foo, 'bar'); // true
Object.prototype.hasOwnProperty.call(foo, 'bar'); // true
当删除掉了一个元素后,数组的索引发生的变化,造成了程序的异常
var arr = [2, 3, 5, 7];
arr = arr.filter(item => item !== 5);
var arr = [2, 3, 5, 7];
for (let i = arr.length - 1; i >= 0; i--) {
if (arr[i] === 5) {
arr.splice(i, 1);
}
}
var patt=new RegExp(pattern,modifiers);或:var patt=/pattern/modifiers;
语法:RegExpObject.exec(string)
用法:exec() 方法用于检索字符串中的正则表达式的匹配。
返回值:返回一个数组,其中存放匹配的结果。如果未找到匹配,则返回值为 null。
const getHashResults = function (currentPageNumber, totalPageNumber, searchInputContent) {
const infoStore = []
currentPageNumber = /currentPageNumber=(\w*)/.exec(window.location.hash) === null ? 1 : Number(/currentPageNumber=(\w*)/.exec(window.location.hash)[1])
searchInputContent = /searchInputContent=(\w*)/.exec(window.location.hash) === null ? '' : /searchInputContent=(\w*)/.exec(window.location.hash)[1]
infoStore.push(currentPageNumber, searchInputContent)
return infoStore
}
window.addEventListener('hashchange', getHashResults)
根据输入词匹配列名为’name’的数据,可以使用正则匹配,用’i’模式忽略大小写
语法:RegExpObject.test(string)
功能:test() 方法用于检测一个字符串是否匹配某个模式.
返回值:如果字符串中有匹配的值返回 true ,否则返回 false。
let searchInput = RegExp(value, 'i')
this.searchedListItems = this.listItems.filter(item => searchInput.test(item.name))
用forEach,不要用map
function debounce (fn, delay, isImmediate) {
var timer = null
return function () {
var context = this
var args = arguments
clearTimeout(timer)
if (isImmediate && timer === null) {
fn.apply(context, args)
timer = 0
return
}
timer = setTimeout(function () {
fn.apply(context, args)
timer = null
}, delay)
}
}
单纯的数组数字进行排序,使用sorts()方法排序
排序顺序可以是字母或数字,并按升序或降序。默认排序顺序为按字母升序。
这种方法会改变原始数组。
根据数组中对象为数字情况进行排序:
sortBykey(ary, key) {
return ary.sort(function (a, b) {
let x = a[key]
let y = b[key]
return ((x < y) ? -1 : (x > y) ? 1 : 0)
})
}
根据数组中对象为字母情况进行排序
sortList(lists){ // lists传的是数组
return lists.sort((a, b) => {
return a['grapheme'].localeCompare(b['grapheme']) // grapheme为字母对应的属性名
})
}
此方法为倒序,也就是反过来。并不会进行大小排序
冒泡排序
每轮依次比较相邻两个数的大小,后面比前面小则交换
规律:通过比较首先选出最小的数放在第一个位置上,然后在其余的数中选出次小数放在第二个位置上,依此类推,直到所有的数成为有序序列。
先从数列中取出一个数作为基准数
分区过程,将比这个数大的数全放到它的右边,小于或等于它的数全放到它的左边
再对左右区间重复第二步,直到各区间只有一个数
slice() 方法选择从给定的 start 参数开始的元素,并在给定的 end 参数处结束,但不包括。
注释:slice() 方法不会改变原始数组。
filter() 方法创建一个新的数组,新数组中的元素是通过检查指定数组中符合条件的所有元素。
是否改变原数组:否
是否对空数组进行检测:否
heroes = heroes.filter(function(row) {
return Object.keys(row).some(function(key) {
return (
String(row[key])
.toLowerCase()
.indexOf(filterKey) > -1
);
});
});
forEach() 方法用于调用数组的每个元素,并将元素传递给回调函数。
注意: forEach() 对于空数组是不会执行回调函数的。
tips: forEach()中不支持使用break(报错)和return(不能结束循环),有需要时可使用常规的for循环。
//遍历columns值(也就是父组件中的数据值['name', 'power']),将每一项的值设为1,即:{name:1,power:1}
this.columns.forEach(function(key) {
sortOrders[key] = 1;
});
some() 方法用于检测数组中的元素是否满足指定条件(函数提供)。
some() 方法会依次执行数组的每个元素:
如果有一个元素满足条件,则表达式返回true , 剩余的元素不会再执行检测。
如果没有满足条件的元素,则返回false。
(相当于’||或’)
注意: some() 不会对空数组进行检测。
注意: some() 不会改变原始数组。
return Object.keys(row).some(function(key) {
return (
String(row[key])
.toLowerCase()
.indexOf(filterKey) > -1
);
});
//第一个条件为真,执行第二个,
//第一个条件为假,则不会往后执行
var filterKey = this.filterKey && this.filterKey.toLowerCase();
//第一个条件为真,执行第一个条件,
//第一个条件为假,第二个条件为真,执行第二个条件
//两个条件都不为真,则不会往后执行
var order = this.sortOrders[sortKey] || 1;
toString()方法返回的是相应值的字符串表现
数值、布尔值、对象和字符串值都有toString()方法,但是null和undefined值没有这个方法
在不知道变量是否为null或者undefined是可以使用String()函数来转换为字符串类型
如果转换值有toString()方法的话,就直接调用该方法,并返回相应的结果
如果转换值是null,则返回"null"
如果转换值是undefined,则返回"undefined"
String(row[key]).toLowerCase()
把转换的值与一个字符串 “” 加在一起
pluralize: function (word, count) {
return word + (count === 1 ? '' : 's');
},
div.popContainer{
position: fixed;
top: 0;
left: 0;
right: 0;
bottom: 0;
background: rgba(0,0,0,0.3);
}
{{item}}
{{index}}
{{item.id}}
{{item.name}}
{{item.age}}
.table {
max-width: 800px;
margin: 0 auto;
border: 1px solid #2c3e50;
border-collapse:collapse;
}
.table td,
.table th {
padding: 10px 30px;
}
.arrow {
display: inline-block;
vertical-align: middle;
width: 0;
height: 0;
opacity: 0.66;
}
.arrow.asc {
border-left: 4px solid transparent;
border-right: 4px solid transparent;
border-bottom: 4px solid #fff;
}
.arrow.dsc {
border-left: 4px solid transparent;
border-right: 4px solid transparent;
border-top: 4px solid #fff;
}
user-select: none;
input::-webkit-input-placeholder{}
computed: {
...mapState({
liveEntryCode: (state) => state.live.liveEntryCode,
title: (state) => state.live.title,
startTime: (state) => state.live.startTime,
}),
formatStartTime({ startTime }) {
return startTime && fullDateTime(startTime)
},
},
onCopy() {
copy(location.href)
this.$Message.success('复制成功')
},
onDownload(os) {
const ua = navigator.userAgent.toLowerCase()
let curOs = os || checkOs
curOs === 'windows' &&
(curOs += ua.indexOf('win32') >= 0 || ua.indexOf('wow32') >= 0 ? 32 : 64)
window.location.href = window.DXY_BROWSER_DOWNLOAD_URL_MAP[curOs]
},
isChrome() {
const browserName = window['dxy-live-browser']?.browser?.browser?.name || ''
return browserName === 'chrome'
},
:closable="false"
data() {
return {
submitting: false,
lg_dxy_live,
form: {
inviteCode: '',
},
rules: {
inviteCode: { required: true, message: '请填写验证码' },
},
relogin: false,
reloginModalVisible: false,
}
},
修改文件前一定要看清当前所在目录和分支
动词+名词,实在不知道用什么动词可以开头用handle,命名中不建议用Array等数据类型
不加s,名称中带data
加s
首字母大写
要用下划线分隔
小写,短横线分隔
修改组件数据可以在组件内写操作函数