从零开始实现vue
从零实现 Vue.js 的核心功能
Vue.js 的核心功能包括数据响应式、虚拟 DOM、模板编译等。以下是一个简化版的实现思路:
数据响应式系统
通过 Object.defineProperty 或 Proxy 实现数据劫持,监听数据变化并触发更新。
class Observer {
constructor(data) {
this.walk(data)
}
walk(data) {
if (!data || typeof data !== 'object') return
Object.keys(data).forEach(key => {
this.defineReactive(data, key, data[key])
})
}
defineReactive(obj, key, val) {
this.walk(val)
const dep = new Dep()
Object.defineProperty(obj, key, {
enumerable: true,
configurable: true,
get() {
Dep.target && dep.addSub(Dep.target)
return val
},
set(newVal) {
if (newVal === val) return
val = newVal
dep.notify()
}
})
}
}
依赖收集系统
实现一个简单的发布-订阅模式来管理依赖。
class Dep {
constructor() {
this.subs = []
}
addSub(sub) {
this.subs.push(sub)
}
notify() {
this.subs.forEach(sub => sub.update())
}
}
Dep.target = null
编译器
实现简单的模板编译,将模板转换为渲染函数。
class Compiler {
constructor(el, vm) {
this.$vm = vm
this.$el = document.querySelector(el)
this.compile(this.$el)
}
compile(el) {
const childNodes = el.childNodes
Array.from(childNodes).forEach(node => {
if (this.isElement(node)) {
this.compileElement(node)
} else if (this.isInterpolation(node)) {
this.compileText(node)
}
if (node.childNodes && node.childNodes.length > 0) {
this.compile(node)
}
})
}
isElement(node) {
return node.nodeType === 1
}
isInterpolation(node) {
return node.nodeType === 3 && /\{\{(.*)\}\}/.test(node.textContent)
}
compileText(node) {
const exp = RegExp.$1.trim()
this.update(node, exp, 'text')
}
compileElement(node) {
const attrs = node.attributes
Array.from(attrs).forEach(attr => {
const attrName = attr.name
const exp = attr.value
if (this.isDirective(attrName)) {
const dir = attrName.substring(2)
this[dir] && this[dir](node, exp)
}
})
}
isDirective(attr) {
return attr.startsWith('v-')
}
text(node, exp) {
this.update(node, exp, 'text')
}
update(node, exp, dir) {
const fn = this[dir + 'Updater']
fn && fn(node, this.$vm[exp])
new Watcher(this.$vm, exp, value => {
fn && fn(node, value)
})
}
textUpdater(node, value) {
node.textContent = value
}
}
观察者
实现 Watcher 来连接响应式系统和视图更新。
class Watcher {
constructor(vm, key, cb) {
this.$vm = vm
this.key = key
this.cb = cb
Dep.target = this
this.$vm[this.key] // 触发getter,收集依赖
Dep.target = null
}
update() {
this.cb.call(this.$vm, this.$vm[this.key])
}
}
Vue 类
整合以上功能实现基础 Vue 类。
class Vue {
constructor(options) {
this.$options = options
this.$data = options.data
new Observer(this.$data)
this.proxy(this.$data)
new Compiler(options.el, this)
}
proxy(data) {
Object.keys(data).forEach(key => {
Object.defineProperty(this, key, {
get() {
return data[key]
},
set(newVal) {
data[key] = newVal
}
})
})
}
}
使用方法
创建一个简单的 Vue 实例:
<div id="app">
{{ message }}
<div v-text="message"></div>
</div>
<script>
const app = new Vue({
el: '#app',
data: {
message: 'Hello Vue!'
}
})
</script>
实现要点
- 数据响应式:通过 Object.defineProperty 或 Proxy 拦截数据访问和修改
- 依赖收集:在 getter 中收集依赖,在 setter 中触发更新
- 模板编译:将模板转换为渲染函数,解析指令和插值表达式
- 虚拟 DOM:可以进一步实现虚拟 DOM 和 diff 算法提高性能
这个简化实现包含了 Vue 的核心功能,实际 Vue 源码更加复杂,包含组件系统、生命周期、指令系统等更多功能。







