Це дуже просто і прямо вперед. Подивіться на код. Спробуйте зрозуміти основну концепцію розширення javascript.
Спочатку розширимо функцію javascript.
function Base(props) {
const _props = props
this.getProps = () => _props
// We can make method private by not binding it to this object.
// Hence it is not exposed when we return this.
const privateMethod = () => "do internal stuff"
return this
}
Ви можете розширити цю функцію, створивши дочірню функцію наступним чином
function Child(props) {
const parent = Base(props)
this.getMessage = () => `Message is ${parent.getProps()}`;
// You can remove the line below to extend as in private inheritance,
// not exposing parent function properties and method.
this.prototype = parent
return this
}
Тепер ви можете використовувати функцію Child наступним чином,
let childObject = Child("Secret Message")
console.log(childObject.getMessage()) // logs "Message is Secret Message"
console.log(childObject.getProps()) // logs "Secret Message"
Ми також можемо створити функцію Javascript, розширивши класи Javascript, наприклад.
class BaseClass {
constructor(props) {
this.props = props
// You can remove the line below to make getProps method private.
// As it will not be binded to this, but let it be
this.getProps = this.getProps.bind(this)
}
getProps() {
return this.props
}
}
Давайте розширимо цей клас функцією Child таким чином,
function Child(props) {
let parent = new BaseClass(props)
const getMessage = () => `Message is ${parent.getProps()}`;
return { ...parent, getMessage} // I have used spread operator.
}
Знову ж таки, ви можете використовувати функцію Child наступним чином, щоб отримати подібний результат,
let childObject = Child("Secret Message")
console.log(childObject.getMessage()) // logs "Message is Secret Message"
console.log(childObject.getProps()) // logs "Secret Message"
Javascript - це дуже проста мова. Ми можемо робити майже все. Щасливого JavaScripting ... Сподіваюся, я зміг дати вам ідею, яка буде використана у вашому випадку.