Creating Custom Components
Kendo UI provides options for you to create your own components by inheriting from the base widget
class.
Getting Started
-
Extend the base Kendo UI
widget
class in thekendo.ui
namespace.The following example demonstrates how to create variables to hold values which also helps with the minification. The entire process is wrapped in a self-executing anonymous function so as to protect the global namespace. jQuery is passed in as a reference to make sure
$
is jQuery. The component itself extends the basewidget
class so it is given the uppercase name ofMyWidget
—or whatever the name of your component is for that matter. This is generally considered a best practice when naming classes in JavaScript as opposed to regular objects.(function($) { // Shorten references to variables which is better for uglification. kendo = window.kendo, ui = kendo.ui, Widget = ui.Widget var MyWidget = Widget.extend({ // The initialization code goes here. }); })(jQuery);
-
Provide an
init
method for your component. This method is called by the framework when the component is initialized. Thisinit
function takes two parameters. The first one is the element on which you are initializing the component. The second one is a set of options that you are going to specify shortly. These will be configuration values.var MyWidget = Widget.extend({ init: function(element, options) { // The base call to initialize the component. Widget.fn.init.call(this, element, options); // Add styling classes only for the updated components //$(element).parent().addClass("k-input-solid k-input-md k-rounded-md"); } });
Some components received new rendering improving their style options. This requires adding the styling classes for these components in the
init
function. Here is a list of the updated components.
-
If you are extending a component, the call to the base is what translates your component from declarative initialization or the standard imperative initialization, and merges all the base options and custom options. Declare those options right under the
init
statement. Anything that you declare in theoptions
object will be available for the user to pass as either a configuration value or as adata
attribute.var MyWidget = Widget.extend({ init: function(element, options) { // The base call to initialize the component. Widget.fn.init.call(this, element, options); // an example adding the CSS classes for MultiSelect // $(element).parent().addClass("k-input-solid k-input-md k-rounded-md"); }, options: { // The name is what it will appear as the kendo namespace (that is, kendo.ui.MyWidget). // The jQuery plugin would be jQuery.fn.kendoMyWidget. name: "MyWidget", // Other options go here. ... } });
-
Add the component to Kendo UI. The following example demonstrates the full boilerplate for creating your own Kendo UI component and making it available like all other Kendo UI components are.
(function($) { // Shorten the references to variables. This is better for uglification. var kendo = window.kendo, ui = kendo.ui, Widget = ui.Widget var MyWidget = Widget.extend({ init: function(element, options) { // The base call to the component initialization. Widget.fn.init.call(this, element, options); }, options: { // The name is what it will appear as the kendo namespace (that is, kendo.ui.MyWidget). // The jQuery plugin would be jQuery.fn.kendoMyWidget. name: "MyWidget", // Other options go here. .... } }); ui.plugin(MyWidget); })(jQuery);
-
To make this component DataSource- or MVVM-aware, implement some additional items. The following section discusses the process of creation a DataSource-aware component. The MVVM part is tackled later on in this article. The component that is demonstrated is a simple one that just repeats the data in the DataSource and also allows you to specify your own custom template. You can regard it as an extremely dumbed-down ListView which, for an easier handling, is named the Repeater.
To make your component aware of a Data Source, use the created convenience method on the
DataSource
base object. The code snippet offers flexibility in the way you initialize theDataSource
for your component. If you actually create a newDataSource
either outside your component initialization or inline,that.DataSource
is returned.that.dataSource = kendo.data.DataSource.create(that.options.dataSource);
-
Create a new DataSource to bind the component. This step is not a must because you can set the DataSource to an array as demonstrated in the following example. If you pass this array, the
kendo.data.DataSource.create
method will create a newDataSource
based on the data in this array and returns it tothat.dataSource
.$("#div").kendoRepeater({ dataSource: ["Item 1", "Item 2", "Item 3"] });
-
Create a
DataSource
by specifying its configuration values inline as demonstrated in the following example. The example specifies aDataSource
configuration but does not actually create aDataSource
instance. Thekendo.data.DataSource.create(that.options.dataSource)
takes this configuration object and returns a newDataSource
instance with the specified configuration.$("#div").kendoRepeater({ dataSource: { transport: { read: { url: "http://mydomain/customers" } } } });
DataBinding Behavior of Specific Components
Certain components such as the MultiSelect, DropDownTree, Scheduler, Grid and Gantt require you to explicitly define a component-specific binder.
The following example showcases how to copy the MultiSelect binder to your own CustomMultiSelect component:
kendo.data.binders.widget.custommultiselect = kendo.data.binders.widget.multiselect;
The binder definition always follows the same syntax - kendo.data.binders.widget.[customwidgetname] = kendo.data.binders.widget.[widgetname]
The code snippet must be added before the Widget.extend
method is called:
kendo.data.binders.widget.custommultiselect = kendo.data.binders.widget.multiselect;
ui = kendo.ui,
Widget = ui.MultiSelect;
var MyWidget = Widget.extend({
options: {
name: "CustomMultiSelect"
}
});
New Components Rendering
R1 2022 introduced brand new rendering for some of our components. More information about this topic can be found in the Components Rendering Overview article.
In order to utilize the new styling options in your custom components, you must explicitly copy the CSS properties of the original component.
To do so, add the following line of code before the Widget.extend
method is called:
// Where 'CustomMultiSelect' is the name of your own custom component and 'MultiSelect' is the name of the original Kendo UI component that you're extending.
kendo.cssProperties.propertyDictionary["CustomMultiSelect"] = kendo.cssProperties.propertyDictionary["MultiSelect"];
Handling Events
-
Bind to your DataSource a
change
event and handle it. This is where you mutate your DOM based on the data read from theDataSource
. Typically, this is done in arefresh
method. Make it public, so that you or someone else is able to call it on the component at some point after initialization.// Bind to the change event to refresh the component. that.dataSource.bind("change", function() { that.refresh(); });
The way the component code now looks is demonstrated in the following example. Note that when you bind to the
change
event on theDataSource
, you actually bind to the string value of"change"
. As a best practice, assign these as constants at the top of the component, and then refer to the constant. The entireDataSource
configuration is also moved into its own method. This is becausethat
signifies the component since it is the calling object. You can reference all component properties off of thethat
object after assigningthat
tothis
.(function($) { var kendo = window.kendo, ui = kendo.ui, Widget = ui.Widget, CHANGE = "change"; var Repeater = kendo.ui.Widget.extend({ init: function(element, options) { var that = this; kendo.ui.Widget.fn.init.call(that, element, options); // Initialize or create dataSource. that._dataSource(); }, options: { name: "Repeater" }, _dataSource: function() { var that = this; // Returns the datasource OR creates one if using an array or a configuration. that.dataSource = kendo.data.DataSource.create(that.options.dataSource); // Bind to the change event to refresh the component. that.dataSource.bind(CHANGE, function() { that.refresh(); }); } }); kendo.ui.plugin(Repeater); })(jQuery);
<!--_-->
-
Fetch from the DataSource if necessary by checking for the
autoBind
configuration value ofthat.options
. Then, callthat.dataSource.fetch()
. Note thatfetch
is different fromread
because it only populates the DataSource if the DataSource is not yet read from. If aread
is previously called onDataSource
before the component is initialized, you do not have to make theDataSource
read again._dataSource: function() { var that = this; // Returns the datasource OR creates one if using array or configuration. that.dataSource = kendo.data.DataSource.create(that.options.dataSource); // Bind to the change event to refresh the component. that.dataSource.bind(CHANGE, function() { that.refresh(); }); // Trigger read on the dataSource if one has not happened yet. if (that.options.autoBind) { that.dataSource.fetch(); } }
-
Add the
autoBind
configuration to theoptions
object on the component and give it a default value oftrue
. All data-bound widgets in Kendo UI doautoBind
by default.options: { name: "Repeater", autoBind: true }
Rendering Components with Templates
- The HTML that is output by components is rendered over the Kendo UI templates. They allow you to pre-compile HTML and inject data or expressions, which are evaluated, into the HTML and a DOM fragment is returned as an HTML string. Nearly all components in Kendo UI allow you to specify some kind of a template in addition to the default template that a component uses. To do this, first add the template to the
options
object and set its value to an empty string. Contrary to other configuration settings, do not set its default value here.
options: {
name: "Repeater",
autoBind: true,
template: ""
}
- Set the default value by adding a line directly under the call to the base component initialization. This pre-compiles the template passed in by the user, or uses a default template. In the case of this Repeater, write out
strong
tags wrapped in paragraphs, and then reference thedata
object, which will be a string if you pass an array of strings. If you pass objects to the template, the default template renders[object Object]
.
that.template = kendo.template(that.options.template || "<p><strong>#= data #</strong></p>")
Implementing refresh Functions
-
Since you bound to the
change
method, you need to implement therefresh
public function that will be called whenDataSource
changes or when it is called directly. Inside therefresh
method is where you are going to mutate the DOM.First, call
that.dataSource.view()
, which gives you the data from theDataSource
. Next, usekendoRender
and pass in a template along with the DataSource data—a.k.a.view
. This is how Kendo UI components mutate the DOM. Therender
method applies the data to the DataSource and returns the HTML string.refresh: function() { var that = this, view = that.dataSource.view(), html = kendo.render(that.template, view); }
-
Set the HTML of
that.element
—the element on which you are initializing your component. If you are handling initialization on aninput
and you want to translate or wrap thatinput
within a container, add that logic here before setting its HTML. Thethat.element
is a jQuery wrapped element, so you can simply call thehtml
method directly off of it. The finalrefresh
method looks like the one demonstrated in the following example.refresh: function() { var that = this, view = that.dataSource.view(), html = kendo.render(that.template, view); that.element.html(html); }
-
Having added the final touches from the previous step, now you have a fully data-bound component. The following example demonstrates the complete code for the Repeater component.
(function() { var kendo = window.kendo, ui = kendo.ui, Widget = ui.Widget, CHANGE = "change"; var Repeater = Widget.extend({ init: function(element, options) { var that = this; kendo.ui.Widget.fn.init.call(that, element, options); that.template = kendo.template(that.options.template || "<p><strong>#= data #</strong></p>"); that._dataSource(); }, options: { name: "Repeater", autoBind: true, template: "" }, refresh: function() { var that = this, view = that.dataSource.view(), html = kendo.render(that.template, view); that.element.html(html); }, _dataSource: function() { var that = this; // Returns the datasource OR creates one if using array or configuration object. that.dataSource = kendo.data.DataSource.create(that.options.dataSource); // Bind to the change event to refresh the component. that.dataSource.bind(CHANGE, function() { that.refresh(); }); if (that.options.autoBind) { that.dataSource.fetch(); } } }); ui.plugin(Repeater); })(jQuery);
The following example uses two components that are initialized. The first one takes a simple array as a
DataSource
. The second uses a remote endpoint, a template, and declarative initialization.<div id="repeater"></div> <div id="container"> <div data-role="repeater" data-source="dataSource" data-template="template"></div> </div> <script type="text/x-kendo-template" id="template"> <div style="float: left; color: salmon; margin-right: 10px"><h1>#= data.ProductName #</h1></div> </script> <script> (function() { var kendo = window.kendo, ui = kendo.ui, Widget = ui.Widget, CHANGE = "change"; var Repeater = Widget.extend({ init: function(element, options) { var that = this; kendo.ui.Widget.fn.init.call(that, element, options); that.template = kendo.template(that.options.template || "<p><strong>#= data #</strong></p>"); that._dataSource(); }, options: { name: "Repeater", autoBind: true, template: "" }, refresh: function() { var that = this, view = that.dataSource.view(), html = kendo.render(that.template, view); that.element.html(html); }, _dataSource: function() { var that = this; // Returns the datasource OR creates one if using array or configuration object. that.dataSource = kendo.data.DataSource.create(that.options.dataSource); // Bind to the change event to refresh the component. that.dataSource.bind(CHANGE, function() { that.refresh(); }); if (that.options.autoBind) { that.dataSource.fetch(); } } }); ui.plugin(Repeater); })(jQuery); var dataSource = new kendo.data.DataSource({ type: "odata", transport: { read: "https://demos.telerik.com/kendo-ui/service/Northwind.svc/Products" } }); kendo.bind($("#container")); $("#repeater").kendoRepeater({ dataSource: [ "item1", "item2", "item3" ] }); </script>
Using MVVM
-
To make this component MVVM-aware, you need to define some events. Specifically, expose the
dataBinding
event and thedataBound
event.The
dataBinding
event is what you are going to call before you mutate the DOM with your component. This enables MVVM to traverse the fragment that you are about to mutate, and unbind anything that is currently bound. The second event is thedataBound
event, which allows MVVM to go back through the fragment, and re-bind what is necessary. These events are exposed through theevents
object on the component. These events are strings, so define them as constants in the head of the component as part of the pattern Kendo UI uses when developing Kendo UI components.By exposing these as events for MVVM to listen to, you have loose coupling between your component and the MVVM core engine. This means that if you do not expose these events, MVVM will not be aware of the lifecycle of the component. This is a very good architecture as it ensures that your component will not break other MVVM bindings of which it is not aware.
var DATABINDING = "dataBinding", DATABOUND = "dataBound", CHANGE = "change" var Repeater = kendo.ui.Widget.extend({ init: function(element, options) { ... }, options{ ... }, // The events are used by other components or developers - API for other purposes. // These events support MVVM bound items in the template for loose coupling with MVVM. events: [ // Call before mutating DOM. // MVVM will traverse DOM, unbind any bound elements or components. DATABINDING, // Call after mutating DOM. // Traverses DOM and binds ALL THE THINGS. DATABOUND ] });
-
MVVM expects you to expose the DOM fragments from your component, which represents each row or each repeated
data
element. You must return the outermost element for MVVM to work with. While it varies, this is typically justthis.element.children
. Since each rendered template item is a DOM fragment attached to the bound element, this is all you need. Expose it for MVVM by making it available off of the items object.var DATABINDING = "dataBinding", DATABOUND = "dataBound", CHANGE = "change" var Repeater = kendo.ui.Widget.extend({ init: function(element, options) { ... }, options{ ... }, // The events are used by other components or developers - API for other purposes. // These events support MVVM bound items in the template. for loose coupling with MVVM. events: [ // Call before mutating DOM. // MVVM will traverse DOM, unbind any bound elements or components. DATABINDING, // Call after mutating DOM. // Traverses DOM and binds ALL THE THINGS. DATABOUND ], // MVVM expects an array of DOM elements that represent each item of the datasource. // Has to be the children of the outermost element. items: function() { return this.element.children(); } });
-
Since it is possible to change the
DataSource
by using MVVM, you need to implement thesetDataSource
function. MVVM calls this when theDataSource
is set inside aViewModel
. Set your internalDataSource
reference equal to the one passed in by MVVM and then rebuild theDataSource
by using the already defineddataSource()
function.// For supporting changing the datasource over MVVM. setDataSource: function(dataSource) { // Set the internal datasource equal to the one passed in by MVVM. this.options.dataSource = dataSource; // Rebuild the datasource if necessary or just reassign. this._dataSource(); }
-
You need to make some small tweaks to your method which assigns or builds the DataSource. The
_dataSource
method that you call ininit
does three things:- Assigns the
DataSource
, or builds on from an array or configuration object. - Reads from the
DataSource
, ifautoBind
is enabled, and the DataSource is not yet read from. - Binds the
change
event on theDataSource
to an internalrefresh
method that you handle manually.
Since you have already bound the change event on the
DataSource
possibly once, make sure you unbind it if necessary. If this is not done, the component retains a list of all bindings and executes therefresh
function numerous times. Also, MVVM will be listening to the internal_refreshHandler
function which is not yet defined. You need to point the internal_refreshHandler
to your publicly exposedrefresh
method. First though, check and see if a connection exists between the publicrefresh
, which is bound to thechange
event on theDataSource
, and the internal_refreshHandler
. If a connection exists, remove just the binding to thechange
event. If a connection does not exist between your internal_refreshHandler
and the publicrefresh
function, you need to create it. This is done by the$.proxy
jQuery method, which calls the publicrefresh
with the correct context, which is the component itself. Finally, rebind to thechange
event of theDataSource
.The following example implements the
proxy
jQuery function.proxy
informs that when the_refreshHandler
is called, it should execute the publicrefresh
component function; inside thatrefresh
function, this will be a reference to the component itself, and not something else, such as a window. Due to the fact that the value of thethis
keyword is always changing in JavaScript, this approach is a good way to ensure that the scope is correct when therefresh
function executes._dataSource: function() { var that = this; // If the DataSource is defined and the _refreshHandler is wired up, // unbind because you need to rebuild the DataSource. if ( that.dataSource && that._refreshHandler ) { that.dataSource.unbind(CHANGE, that._refreshHandler); } else { that._refreshHandler = $.proxy(that.refresh, that); } // Returns the datasource OR creates one if using array or configuration object. that.dataSource = kendo.data.DataSource.create(that.options.dataSource); // Bind to the change event to refresh the component. that.dataSource.bind( CHANGE, that._refreshHandler ); if (that.options.autoBind) { that.dataSource.fetch(); } }
- Assigns the
-
Trigger the
dataBinding
anddataBound
events in the publicrefresh
. Note thatdataBinding
happens before you mutate the DOM anddataBound
happens directly after that.refresh: function() { var that = this, view = that.dataSource.view(), html = kendo.render(that.template, view); // Trigger the dataBinding event. that.trigger(DATABINDING); // Mutate the DOM (that is, build the component UI). that.element.html(html); // Trigger the dataBound event. that.trigger(DATABOUND); }
Now, you have a fully enabled MVVM in your component. Define the component as demonstrated in the following example.
<div data-role="repeater" data-bind="source: dataSource"></div> <script> var viewModel = kendo.observable({ dataSource: new kendo.data.DataSource({ transport: { read: "Customers/Orders", dataType: "json" } }) }); kendo.bind(document.body.children, viewModel); </script>
Notice that the component is now bound to the
dataSource
variable inside of theViewModel
throughdata-bind
. This means that if you add an item to theDataSource
client-side, your component will reflect the change immediately without you having to re-render anything.In the following complete example, note that when you add an item to the
DataSource
, it is immediately reflected in the Repeater component.
<label for="newItem">Enter A New Item</label>
<input id="newItem" data-bind="value: newItem" class="k-input" />
<button class="k-button" data-bind="click: add">Add Item</button>
<div data-role="repeater" data-bind="source: items" data-template="template"></div>
<script type="text/x-kendo-template" id="template">
<div style="color: salmon; margin-right: 10px'"><h1>#= data #</h1></div>
</script>
<script>
var viewModel = kendo.observable({
items: ["item1", "item2", "item3"],
newItem: null,
add: function(e) {
if (this.get("newItem")) {
this.get("items").push(this.get("newItem"));
}
}
});
kendo.bind(document.body, viewModel);
</script>
Working with Value-Bound Components
In order for a component to support value
binding, you need to:
- Add a
value
method to the component, which sets the currentwidget
value and returns the current value if no arguments are passed. -
Trigger the component
change
event when thewidget
value is changed.
The following examples demonstrate how to create a simple input v that selects the value on focus.
-
Create the component and implement the functionality that you are looking for.
(function ($) { var kendo = window.kendo; var SelectedTextBox = kendo.ui.Widget.extend({ init: function (element, options) { kendo.ui.Widget.fn.init.call(this, element, options); this.element.on("focus", this._focus); }, options: { name: "SelectedTextBox" }, _focus: function () { this.select(); }, destroy: function () { this.element.off("focus", this._focus); } }); kendo.ui.plugin(SelectedTextBox); })(jQuery);
-
Add a
value
method.var SelectedTextBox = kendo.ui.Widget.extend({ ... value: function (value) { if (value !== undefined) { this.element.val(value); } else { return this.element.val(); } } });
-
Trigger the
change
event.var SelectedTextBox = kendo.ui.Widget.extend({ init: function (element, options) { ... this._changeHandler = $.proxy(this._change, this); this.element.on("change", this._changeHandler); }, ... _change: function () { this.trigger("change"); }, destroy: function () { this.element.off("change", this._changeHandler); this.element.off("focus", this._focus); } });
The following example combines the snippets and exhibits the full code.
<script>
(function ($) {
var kendo = window.kendo;
var SelectedTextBox = kendo.ui.Widget.extend({
init: function (element, options) {
kendo.ui.Widget.fn.init.call(this, element, options);
this._changeHandler = $.proxy(this._change, this);
this.element.on("change", this._changeHandler);
this.element.on("focus", this._focus);
},
options: {
name: "SelectedTextBox"
},
_change: function () {
this._value = this.element.val();
this.trigger("change");
},
_focus: function () {
this.select();
},
value: function (value) {
if (value !== undefined) {
this.element.val(value);
} else {
return this.element.val();
}
},
destroy: function () {
this.element.off("change", this._changeHandler);
this.element.off("focus", this._focus);
}
});
kendo.ui.plugin(SelectedTextBox);
})(jQuery);
</script>
<input type="text" data-role="selectedtextbox" data-bind="value:foo" />
<script>
var viewModel = kendo.observable({
foo: "bar"
});
kendo.bind(document.body, viewModel);
</script>
Note on Technical Support
Custom components that inherit from Kendo UI components are not subject to technical support service, unless the question or issue can be discussed in the context of the originating component that is provided in the Kendo UI installer.