# Vue 实例
[](https://vuefe.cn/guide/instance.html#构造器)
## [](https://vuefe.cn/guide/instance.html#构造器)[](https://vuefe.cn/guide/instance.html#构造器 "构造器")构造器
每个 Vue.js 应用都是通过构造函数 `Vue` 创建一个 Vue 的根实例 启动的:
~~~
var vm = new Vue({
// 选项
})
~~~
虽然没有完全遵循 [MVVM 模式](https://en.wikipedia.org/wiki/Model_View_ViewModel), Vue 的设计无疑受到了它的启发。因此在文档中经常会使用 `vm` 这个变量名表示 Vue 实例。
在实例化 Vue 时,需要传入一个选项对象,它可以包含数据、模板、挂载元素、方法、生命周期钩子等选项。全部的选项可以在 [API 文档](https://vuefe.cn/api)中查看。
可以扩展 `Vue` 构造器,从而用预定义选项创建可复用的组件构造器:
~~~
var MyComponent = Vue.extend({
// 扩展选项
})
// 所有的 `MyComponent` 实例都将以预定义的扩展选项被创建var myComponentInstance = new MyComponent()
~~~
尽管可以命令式地创建扩展实例,不过在多数情况下建议将组件构造器注册为一个自定义元素,然后声明式地用在模板中。我们将在后面详细说明[组件系统](https://vuefe.cn/guide/components.html)。现在你只需知道所有的 Vue.js 组件其实都是被扩展的 Vue 实例。
[](https://vuefe.cn/guide/instance.html#属性与方法)
## [](https://vuefe.cn/guide/instance.html#属性与方法)[](https://vuefe.cn/guide/instance.html#属性与方法 "属性与方法")属性与方法
每个 Vue 实例都会代理其 `data` 对象里所有的属性:
~~~
var data = { a: 1 }
var vm = new Vue({
data: data
})
vm.a === data.a
// -> true
// 设置属性也会影响到原始数据
vm.a = 2
data.a // -> 2
// ... 反之亦然
data.a = 3
vm.a // -> 3
~~~
注意只有这些被代理的属性是响应的。如果在实例创建之后添加新的属性到实例上,它不会触发视图更新。我们将在后面详细讨论响应系统。
除了 data 属性, Vue 实例暴露了一些有用的实例属性与方法。这些属性与方法都有前缀 `$`,以便与代理的 data 属性区分。例如:
~~~
var data = { a: 1 }
var vm = new Vue({
el: '#example',
data: data
})
vm.$data === data
// -> true
vm.$el === document.getElementById('example')
// -> true
// $watch 是一个实例方法
vm.$watch('a', function (newVal, oldVal) {
// 这个回调将在 `vm.a` 改变后调用
})
~~~
注意,不要在实例属性或者回调函数中(如 `vm.$watch('a', newVal => this.myMethod())`)使用[箭头函数](https://developer.mozilla.org/en/docs/Web/JavaScript/Reference/Functions/Arrow_functions)。因为箭头函数绑定父上下文,所以 `this` 不会像预想的一样是 Vue 实例,而是 `this.myMethod` 未被定义。
实例属性和方法的完整列表中查阅 [API 参考](https://vuefe.cn/api)。
[](https://vuefe.cn/guide/instance.html#实例生命周期)
## [](https://vuefe.cn/guide/instance.html#实例生命周期)[](https://vuefe.cn/guide/instance.html#实例生命周期 "实例生命周期")实例生命周期
~~~
var vm = new Vue({
data: { a: 1 },
created: function () {
// `this` 指向 vm 实例
console.log('a is: ' + this.a)
}
})
// -> "a is: 1"
~~~
There are also other hooks which will be called at different stages of the instance’s lifecycle, for example `mounted`, `updated`, and `destroyed`. All lifecycle hooks are called with their `this` context pointing to the Vue instance invoking it. You may have been wondering where the concept of “controllers” lives in the Vue world and the answer is: there are no controllers. Your custom logic for a component would be split among these lifecycle hooks.
也有一些其它的钩子,在实例生命周期的不同阶段调用,如 `mounted`、 `updated` 、`destroyed` 。钩子的 `this` 指向调用它的 Vue 实例。一些用户可能会问 Vue.js 是否有“控制器”的概念?答案是,没有。组件的自定义逻辑可以分布在这些钩子中。
[](https://vuefe.cn/guide/instance.html#生命周期图示)
## [](https://vuefe.cn/guide/instance.html#生命周期图示)[](https://vuefe.cn/guide/instance.html#生命周期图示 "生命周期图示")生命周期图示
下图说明了实例的生命周期。你不需要立马弄明白所有的东西,不过以后它会有帮助。
![Lifecycle](https://vuefe.cn/images/lifecycle.png)