携手创作,共同成长!这是我参与「掘金日新计划 · 8 月更文挑战」的第5天,点击查看活动详情
1. Vue.extend( options )
用法:
使用基础 Vue 构造器,创建一个“子类”。参数是一个包含组件选项的对象。
data 选项是特例,需要注意 - 在 Vue.extend() 中它必须是函数
<div id="mount-point"></div>
// 创建构造器\
var Profile = Vue.extend({\
template: '<p>{{firstName}} {{lastName}} aka {{alias}}</p>',\
data: function () {\
return {\
firstName: 'Walter',\
lastName: 'White',\
alias: 'Heisenberg'\
}\
}\
})\
// 创建 Profile 实例,并挂载到一个元素上。\
new Profile().$mount('#mount-point')
//结果如下:
<p>Walter White aka Heisenberg</p>
代码
function initExtend (Vue: GlobalAPI) {
/**
* Each instance constructor, including Vue, has a unique
* cid. This enables us to create wrapped "child
* constructors" for prototypal inheritance and cache them.
*/
Vue.cid = 0
let cid = 1
/**
* Class inheritance
*/
Vue.extend = function (extendOptions: Object): Function {
extendOptions = extendOptions || {}
const Super = this
const SuperId = Super.cid
const cachedCtors = extendOptions._Ctor || (extendOptions._Ctor = {})
//这里做一个缓存,若存在则返回缓存中的实例
if (cachedCtors[SuperId]) {
return cachedCtors[SuperId]
}
const name = extendOptions.name || Super.options.name
if (process.env.NODE_ENV !== 'production' && name) {
validateComponentName(name)
}
//Sub
const Sub = function VueComponent (options) {
//调用vue上的init方法
this._init(options)
}
Sub.prototype = Object.create(Super.prototype)
Sub.prototype.constructor = Sub
Sub.cid = cid++
// 将组件的options和Vue的options合并,得到一个完整的options
Sub.options = mergeOptions(
Super.options,
extendOptions
)
Sub['super'] = Super//这里的Super就是Vue
// For props and computed properties, we define the proxy getters on
// the Vue instances at extension time, on the extended prototype. This
// avoids Object.defineProperty calls for each instance created.
if (Sub.options.props) {
//初始化props
initProps(Sub)
}
if (Sub.options.computed) {
//初始化Computed
initComputed(Sub)
}
// allow further extension/mixin/plugin usage
// 这里继承Vue的global-api
Sub.extend = Super.extend
Sub.mixin = Super.mixin
Sub.use = Super.use
// create asset registers, so extended classes
// can have their private assets too.
ASSET_TYPES.forEach(function (type) {
Sub[type] = Super[type]
})
// enable recursive self-lookup
if (name) { // 如果有name属性 则可以自己调用自己
Sub.options.components[name] = Sub
}
// keep a reference to the super options at extension time.
// later at instantiation we can check if Super's options have
// been updated.
Sub.superOptions = Super.options
Sub.extendOptions = extendOptions
Sub.sealedOptions = extend({}, Sub.options)
// cache constructor
//设置缓存
cachedCtors[SuperId] = Sub
return Sub
}
}
function initProps (Comp) {
const props = Comp.options.props
for (const key in props) {
proxy(Comp.prototype, `_props`, key)
}
}
function initComputed (Comp) {
const computed = Comp.options.computed
for (const key in computed) {
defineComputed(Comp.prototype, key, computed[key])
}
}
小结
Vue.extend做的事情很简单,使用基础 Vue 构造器,创建一个“子类”。参数是一个包含组件选项的对象