Telerik Forums
Kendo UI for jQuery Forum
4 answers
1.6K+ views

Hello,

After a countless of attempts and adjustements, it is still impossible to retrieve data from a datasource (to load a grid).

I use an API Net.Core that returns JSON (with Odata nugets).

Everything is OK : json is return, callback is triggered (I check with Fiddler 4 of Telerik).

HTML side : I use Odata type for the Transport (I noticed it is impossible to get a callback from my API if I use "webapi" or anything else for instance).

HTML file (body):

<div id="example">
            <div id="grid"></div>
            <script>
   
   $(document).ready(function () {
   
   var dSource = new kendo.data.DataSource({
      type: "odata",
      dataType: "json",
      serverPaging: true,
                        serverSorting: true,
                        pageSize: 12,
      
      transport: {
        read: "https://localhost:44363/api/students"
          
         }
     });
   // read data from the remote service
            dSource.read();
   var data = dSource.data();
   alert(data[0]);
   
   });
           
            </script>
        </div>

 

 

Alex Hajigeorgieva
Telerik team
 answered on 02 Jul 2019
4 answers
2.5K+ views

I'm doing something like this in my css to adjust how the tabs on the render:

.k-tabstrip-items {
align-self: left;
background-color: green;
margin-top: 8px;
margin-bottom: 8px;
height: 32px;
border: 1px solid black !important;
width: 70% !important;
margin-left: 5%;
}

But I need to dynamically adjust the margin so sometimes the tabstrip is centered and sometimes it has the margin above.

So I want to conditionally add something like this:

.k--items-addon {
margin-right: auto;
margin-left: auto;
}

I don't see anything in the API that allows me to pass a class for the  items so that I can dynamically change things in my template or class. Any ideas?

 

Dimiter Topalov
Telerik team
 answered on 02 Jul 2019
5 answers
2.4K+ views

I am returning errors from server and catch it in kendo datasource error event.In this event I am trying to prevent close popup editor, but it works only first time, after clicking update second time, the window closes.
I searched a lot but could not find a solution

 

City = {
    InitializeGrid: function () {
 
        function LoadCities(url, success) {
            Common.serverRequest(url, success);
        }
 
        function UpdateCity(url, params, success) {
            Common.serverRequestParams(url, params, success);
        }
 
        function InsertCity(url, params, success) {
            Common.serverRequestParams(url, params, success);
        }
 
        function DeleteCity(url, id, success) {
            Common.serverRequestParams(url, id, success);
        }
 
        dataSource = new kendo.data.DataSource({
            transport: {
                read: function (e) {
                    LoadCities("/home/read", function (res) {
                        e.success(res);
                    });
                },
 
                update: function (e) {
 
                    UpdateCity("/home/update", e.data, function (res) {
                        var grid = $("#grid").data("kendoGrid");
                        if (res.success) {
                            grid.dataSource.read();
                        } else {
                            e.error("", "", res.error);
                            grid.cancelChanges();
                        }
 
                    });
                },
                create: function (e) {
                    InsertCity("/home/insert", e.data, function (res) {
                        var grid = $("#grid").data("kendoGrid");
 
                        if (res.success) {
                            grid.dataSource.data(res.data);
                        } else {
                            e.error("", "", res.error);
                            grid.cancelChanges();
                        }
                    });
                },
                destroy: function (e) {
                    DeleteCity("/home/delete", e.data, function (res) {
                        var grid = $("#grid").data("kendoGrid");
 
                        if (res.success) {
                            grid.dataSource.data(res.data);
                        } else {
                            e.error("", "", res.error);
                            grid.cancelChanges();
                        }
 
                    });
                }
            },
            error: function (e) {
                var grid = $("#grid").data("kendoGrid");
                grid.one("dataBinding", function (e) {
                    e.preventDefault(); // it occures only first time
                });
                alert(e.errorThrown);
 
            },
            pageSize: 20,
            schema: {
                model: {
                    id: "Id",
                    fields: {
                        Name: { type: "string" },
                        EndDate: { type: "date" },
                        CreateDate: { type: "date" }
                    }
                }
            }
        });
 
        $("#grid").kendoGrid({
            dataSource: dataSource,
            height: 750,
            selectable: "single",
            filterable: true,
            sortable: true,
            pageable: true,
            toolbar: [{ name: "newRecord", text: "New Record" }, { name: "editRecord", text: "Edit REcord" }, { name: "deleteRecord", text: "Delete" }],
            columns: [
                { field: "Name", title: "Name" },
                { field: "EndDate", title: "End Date", format: "{0:dd.MM.yyyy hh:mm}" },
                { field: "CreateDate", title: "Create Date", format: "{0:dd.MM.yyyy hh:mm}" }
            ],
            editable: {
                mode: "popup",
                confirmation: false,
                template: kendo.template($("#popup_editor").html())
            }
        });
 
        $("#grid").on("click", ".k-grid-newRecord", function () {
            Common.gridAdd('grid', 'New Record');
        });
 
        $("#grid").on("click", ".k-grid-editRecord", function () {
            Common.gridEdit('grid', 'Edit Record');
        });
 
        $("#grid").on("click", ".k-grid-deleteRecord", function () {
            Common.gridDelete('grid');
        });
 
    }
}

 

mvc controler

public class HomeController : Controller
    {
        List<City> cities;
        public string error { get; set; }
        public bool isSuccess { get; set; } = true;
         
 
        public ActionResult Index()
        {
            cities = new List<City>();
            Session["city"] = cities;
            return View();
        }
 
        public ActionResult Read()
        {
            var result = (List<City>)Session["city"];
            return Json(result);
        }
 
        public ActionResult Update(City item)
        {
            var result = (List<City>)Session["city"];
 
            if (string.IsNullOrEmpty(item.Name))
            {
                error = "Name is required";
                isSuccess = false;
            }
 
            result.Where(w => w.Id == item.Id).SingleOrDefault(s => s == item);
 
            return Json(new { success = isSuccess, error =error, data = item });
        }
 
        public ActionResult Insert(City item)
        {
            var result = (List<City>)Session["city"];
 
            item.Id = result.Count;
            item.Id++;
 
            if (string.IsNullOrEmpty(item.Name))
            {
                error = "Name is required";
                isSuccess = false;
            }
 
            result.Add(item);
 
            return Json(new { success = isSuccess, error = error, data = item });
        }
 
        public ActionResult Delete(City item)
        {
            var result = (List<City>)Session["city"];
 
            result.Remove(item);
 
            return Json(new { success = isSuccess });
        }
    }
Alex Hajigeorgieva
Telerik team
 answered on 02 Jul 2019
1 answer
3.0K+ views

Hi there,

How do you customise the image on the loading spinner for a Kendo Grid?  I have an animated gif called 'loading.gif' that I wish to use instead of the default image currently.

Thanks, Mark

Patrick | Technical Support Engineer, Senior
Telerik team
 answered on 01 Jul 2019
5 answers
492 views

Hello, 

I'm trying to implement kendo ui Scheduler . 
But I realised that when I have many events in the same day I could see only two events and the others are collapsed on "three points".
When I click on the point it redirect me to Day view to see all the planned events.

I really want to remove the Day view and show only Month and Agenda Views.
It is possible to modify the code so when I click on the "three points" it redirect me to the Agenda view or could the Month view be resized dynamically depending on the number of the events ? 
I tried to modify the CSS of the schudeler , but I didn't like the result 

  

<style>
        .k-scheduler-table td, .k-scheduler-table th
        {
          height: 15.5em;
        }
        .k-scheduler-monthview .k-scheduler-table td
        {
          height: 15.5em;
        }
 
 .k-scheduler-timecolumn{
    visibility:collapse !important;
    width:0 !important;
.k-more-events > span {
  margin-top: 0em;
  height: 20px;
}
 
div.k-more-events {
  font-size: 12px;
  height: 20px;
}
.k-scheduler-table td, .k-scheduler-table th {
     height: 1em;
     padding: .334em .5em;
     font-size: 100%;
}
</style>    

 

Thank you in advance, 

Best. 

Ivan Danchev
Telerik team
 answered on 01 Jul 2019
4 answers
621 views
The following code to generate some rectangles with text items (see attached).  What do I need to do to center each text item in its rectangle?  I see there's a Layout, but I'm not sure how to combine rectangles, paths and groups into on of those.

 

var vLines = [5, 90, 175, 260, 345, 430, 515, 600];
var vLines = [5, 90, 175, 260, 345, 430, 515, 600];
 
...
 
$.each(vLines, function (index, value) {
    var group = getBox("line " + count++, "line " + count++, "line " + count++);
    group.transform(geom.transform().translate(10, value));
    surface.draw(group);
});
 
....
 
function getBox(text1, text2, text3) {
 
    var lineColor = "#9999b6";
    var lineWidth = 2;
    var fontNormal = "12px Arial";
 
    var group = new draw.Group();
    var rect = new geom.Rect([0, 0], [160, 75]);
    var path = draw.Path.fromRect(rect, { stroke: { color: lineColor, width: lineWidth } });
    group.append(path);
 
    if (text1) {
        group.append(new draw.Text(text1, new geom.Point(10, 10), { font: fontNormal }));
    }
 
    if (text2) {
        group.append(new draw.Text(text2, new geom.Point(10, 30), { font: fontNormal }));
    }
 
    if (text3) {
        group.append(new draw.Text(text3, new geom.Point(10, 50), { font: fontNormal }));
    }
             
    return group;
}

 

 

Thanks

Alex Hajigeorgieva
Telerik team
 answered on 01 Jul 2019
8 answers
942 views

Hi, in our app, customers can create "custom Fields", and they can have any title they want.

Ideally, we always prefer to keep original values in javascript objects without encoding them, and use templates to encode if needed.

I have this very "limit" case, where the title of a columns is "<script>alert(1)</script>".

https://dojo.telerik.com/@foxontherock/imacAYOR/3

There are 3 cases, one with script, one with bold, both with templating, and the last one, bold without template (all default)

I am able to use a groupTemplate and headerTemplate to display them correctly.

But, I tried several methods to make the "columnMenu" appear correctly, I never found a solution.

I tried the "columnMenuInit", but the "alert" appear before the init event.

What I can do for now is set "menu=false" for these columns...

I don't want to "htmlEncode" the title property itself.

Is it possible to set a custom template on the kendoMenu that is displayed to choose the column, or is it possible to set a setting to let the menu encode the text?

For exemple, I can set a title like <b>mytext</b> and the text will appear as bold in the menu!

I think that you forgot to encode the title when the columnmenu is displayed.

The "encode" parameter correctly encode the value, but doesn't affect the title.

Maybe we should get a encodeTitle attribute?

I think that all of this should work correctly without any custom templates.

<note>
You can't say that you don't support it,
because, you did it correctly in the "drop zone" when grouping,
the title is htmlencoded without any need for custom template!!!
just try it with the "bold no template" column and you'll see.
</note>

 

Georgi
Telerik team
 answered on 01 Jul 2019
7 answers
2.8K+ views
Hi, I have a Kendo Grid with column templates to handle date formatting, null values, etc., and the columns are set to sortable.  However, when I click a column header to sort the sort arrow changes but the data does not sort. Below is the grid definition.  Any ideas would be very much appreciated!

var gridDataSource = new kendo.data.DataSource({
    data: results,
    total: results.length,
    pageSize: 20,
    schema: {
        model: {
            id: "id",
            fields: {
                attributes: { type: "object" }
            }
        }
    }
});
 
//Build the Kendo UI grid
var kendoDataGrid = $("#dataGrid").kendoGrid({
    dataSource: gridDataSource,
    columns: GetGridColumns(),
    scrollable: true,
    pageable: true,
    resizable: true,
    sortable: true,
    selectable: "row",
    navigatable: true,
    height: gridHeight,
    editable: false
}).data("kendoGrid");
Alex Hajigeorgieva
Telerik team
 answered on 28 Jun 2019
2 answers
257 views

Couldn't find any similar questions on the forum so hopefully someone can help :)

 

At the moment I have a pre-filter on my grid, which filters a column based on the role of the logged in user.

 

filter: {

           filters: [{ field: "RSM", operator: "contains", value: manager}]
         }

 

This pre-filters the grid when the logged in user is a manager. The issue I'm having is it will always pre-filter the grid even if the logged in user isn't a manager. So although the data itself won't be filtered, it will still appear as if the Manager column is being filtered.

 

https://ibb.co/FX3c6Qb

 

So is it possible to only apply the filter if the current user is a manager only? If it's just a regular user then don't apply the filter. 

 

Thanks as always.

 

 

 

 

Jamie
Top achievements
Rank 1
 answered on 27 Jun 2019
7 answers
1.6K+ views
I have a Kendo Grid that opens a Template Pop-up when the user clicks Update.  I need to pass an ID to the pop-up or I need to trigger a change on the AccountID dropdownlist to populate the Contacts Grid, but I'm failing on both accounts.  What is the solution?

Here's my Home Index.cshtml:
@using Kendo.Mvc.UI.Fluent
@model PosPayAndBankRec.Models.TreasuryCreateModel
 
@functions {
 
    private void AccountGridCommandDef(GridColumnFactory<PosPayAndBankRec.Models.TreasuryCreateItem> columns)
    {
        columns.Command(command => { command.Edit(); command.Destroy(); }).Width(160);
        columns.Bound(p => p.AccountID).Hidden();
        columns.Bound(p => p.BankID).Hidden();
 
        columns.Bound(p => p.BankName).Title("Bank").Width(120);
        columns.Bound(p => p.RamQuestBankNumber).Title("Bank #").Width(60);
        columns.Bound(p => p.AccountName).Title("Account").Title("Location");
        columns.Bound(p => p.AccountNumber).Title("Acct #");
        
        columns.Bound(p => p.PpStatus).Title("Positive Pay");
        columns.Bound(p => p.BrStatus).Title("Bank Rec");
        //columns.Bound(p => p.AccountFolderName).Title("Folder");
    }
 
    private void AccountGridDataSource(DataSourceBuilder<PosPayAndBankRec.Models.TreasuryCreateItem> dataSource)
    {
        dataSource.Ajax()
        .Model(AjaxAccountDataSourceBuilder)
        .Sort(sort => sort.Add(p => p.BankName))
        .ServerOperation(true)
        .Create(create => create.Action("Create", "Home"))
        .Read(read => read.Action("Read", "Home", new { id = Request.QueryString["id"] }))
        .Update(update => update.Action("Edit", "Home"))
        .Destroy(destroy => destroy.Action("Delete", "Home"));
        //.Events(e => e.Error("error"));
    }
 
    private void AjaxAccountDataSourceBuilder(DataSourceModelDescriptorFactory<PosPayAndBankRec.Models.TreasuryCreateItem> model)
    {
        model.Id(p => p.AccountID);
        model.Field(p => p.AccountName);
    }
 
    private void AccountGridToolBarDef(GridToolBarCommandFactory<PosPayAndBankRec.Models.TreasuryCreateItem> toolbar)
    {
        toolbar.Create().Text("Treasury Request");
    }
}
 
@{ ViewBag.Title = "Treasury Connections"; }
@(Html.Kendo().Grid<PosPayAndBankRec.Models.TreasuryCreateItem>()
           .Name("Treasuries")
           .Columns(AccountGridCommandDef)
           .DataSource(AccountGridDataSource)
           .ToolBar(AccountGridToolBarDef)
           .Editable(c => c.Mode(GridEditMode.PopUp).Enabled(true).DisplayDeleteConfirmation(true).Window(window => window.Title("Treasury Request")).TemplateName("TreasuryPopup").AdditionalViewData(new { Banks = Model.Banks }))
           .Sortable()
           .Filterable()
           .Resizable(resize => resize.Columns(true))
           .Reorderable(reorder => reorder.Columns(true))
           .ClientDetailTemplateId("ContactDetails")
           .Pageable(p => p.Enabled(false))
           .Scrollable(s => { s.Height(700); s.Virtual(true); })
             )
</script>
       
 
 
<script id="ContactDetails" type="text/kendo-tmpl">
                    @(Html.Kendo().Grid<PosPayAndBankRec.Models.ContactDetailsModel>()
                            .Name("Details_#=BankID#")
                            .Columns(columns =>
                                        {
                                            columns.Command(command => { command.Edit(); command.Destroy(); }).Width(160);
                                            columns.Bound(p => p.ContactName).Width(150);
                                            columns.Bound(p => p.ContactType).Width(100);
                                            //columns.Bound(p => p.ContactEmail).Width(150);
                                            columns.Bound(p => p.ContactPhone).Width(100);
                                            columns.Bound(p => p.Description).Width(100);
                                             
                                            //columns.Bound(p => p.ContactNotes).Width(200);
                                        })
                            .ToolBar(p => p.Create())
                            .DataSource(dataSource => dataSource
 
                            .Ajax()
                            .Model(model => model.Id(p => p.BankID))
                            .Sort(sort => sort.Add(p => p.ContactName))
                            .ServerOperation(true)
                            .Create(create => create.Action("Create", "Contact"))
                            .Read(read => read.Action("Details", "Contact", new { id = "#=BankID#" }))
                            .Update(update => update.Action("Update", "Contact"))
                            .Destroy(destroy => destroy.Action("Delete", "Contact"))
                        )
 
                            .Pageable()
                            .Sortable()
                            .Resizable(resize => resize.Columns(true))
                            .Reorderable(reorder => reorder.Columns(true))
                            .Editable(c => c.Mode(GridEditMode.PopUp).Enabled(true).DisplayDeleteConfirmation(true).Window(window => window.Title("Contact")).TemplateName("ContactPopup").AdditionalViewData(new { Banks = Model.Banks }))
                            .ToClientTemplate())
            .ToClientTemplate())
</script>


Here's the TreasuryPopup.cshtml:

@using System.Collections
@using PosPayAndBankRec.Models
 
@model PosPayAndBankRec.Models.TreasuryCreateItem
 
@{
    ViewBag.Title = "Treasury";
}
 
 
<fieldset>
    <legend>Bank Account Info</legend>
<table id="table">
    <tr>
        <th>
            Bank
        </th>
        <td>
            @(Html.Kendo().DropDownListFor(model => model.BankID)
                  .Name("BankID")
                  .OptionLabel("-- Select Item --")
          .DataTextField("BankName")
          .DataValueField("BankID")
          .DataSource(source => {
               source.Read(read =>
                               {
                                   read.Action("GetCascadeBanks", "Home");
                               });
          })
                   
                  
        </td>
    </tr>
    <tr>
        <th>
            Location
        </th>
        <td colspan="2">
            <script type="text/javascript">
 
//                function ShowHide(chk,txt) 
//                {
//                    if ((document.getElementById(chk).checked))
 
//                        document.getElementById(txt).style.display='';  
//                    else
//                        document.getElementById(txt).style.display='none';
//                }
 
 
                $(document).ready(function () {
                    $("#AccountID").trigger("valueChange");
                });
 
            </script>
             
            @(Html.Kendo().DropDownListFor(model => model.AccountID)
                   .Name("AccountID")
           .OptionLabel("-- Select Item --")
           .DataTextField("AccountName")
           .DataValueField("AccountID")
           .DataSource(source => {
                                     source.Read(read =>
                                                     {
                                                         read.Action("GetCascadeAccounts", "Home")
                                                             .Data("getBankID");
                                                     })
                                         .ServerFiltering(true);
           })
           .Enable(false)
           .AutoBind(false)
                   .CascadeFrom("BankID")
           .Events(events => events.Change("onBankChange")
           )
                  )
        </td>
    </tr>
    <tr>
        <td>
             
        </td>
        <th>
            Active
        </th>
        <th>
            Deactive
        </th>
    </tr>
    <tr>
        <th>
            Bank Reconcilliation
             
        </th>
        <td>
            @Html.EditorFor(model => model.BrActivationDate)
        </td>
        <td>
             @Html.EditorFor(model => model.BrDeactivationDate)
        </td>
    </tr>
    <tr>
        <th>
            Positive Pay
        </th>
        <td>
 
            @Html.EditorFor(model => model.PpActivationDate)
 
        </td>
        <td>
             @Html.EditorFor(model => model.PpDeactivationDate)
        </td>
    </tr>
</table>
</fieldset>
 
 
 
<fieldset>
    <legend>Contacts</legend>
 
@(Html.Kendo().Grid<PosPayAndBankRec.Models.ContactDetailsModel>()
.Name("Contacts")
                            .Columns(columns =>
                                        {
                                            columns.Command(command => { command.Edit(); command.Destroy(); }).Width(160);
                                            columns.Bound(p => p.ContactName).Width(150);
                                            columns.Bound(p => p.ContactType).Width(100);
                                            //columns.Bound(p => p.ContactEmail).Width(150);
                                            columns.Bound(p => p.ContactPhone).Width(100);
                                            //columns.Bound(p => p.Description).Width(100);
                                            //columns.Bound(p => p.ContactNotes).Width(200);
                                        })
                            .ToolBar(p => p.Create())
                            .DataSource(dataSource => dataSource
                            .Ajax()
                            .Model(model => model.Id(p => p.BankID))
                            .Sort(sort => sort.Add(p => p.ContactName))
                            .ServerOperation(true)
                            .Create(create => create.Action("Create", "Contact"))
                                .Read(read => read.Action("GetCascadeContacts", "Home")
 
                            .Data("getBankID"))
                            .Update(update => update.Action("Edit", "Contact"))
                            .Destroy(destroy => destroy.Action("Delete", "Contact"))
                        )
                        //.AutoBind(false)
                            .Pageable()
                            .Sortable()
                            .Resizable(resize => resize.Columns(true))
                            .Reorderable(reorder => reorder.Columns(true))
                       .Editable(c => c.Mode(GridEditMode.PopUp).Enabled(true).DisplayDeleteConfirmation(true).Window(window => window.Title("Contact")).TemplateName("ContactPopup")))
</fieldset>


Here's the HomeController:

public ActionResult GetCascadeContacts([DataSourceRequest] DataSourceRequest request, int BankID)
        {
 
                var ortcontacts = from contact in db.ORTContacts
                                  join bank in db.ORTBanks on contact.BankID equals bank.BankID
                                  where contact.BankID == BankID
 
                                  orderby contact.ContactName
 
                                  select new TreasuryCreateItem()
                                  {
                                      ContactID = contact.ContactID,
                                      ContactName = contact.ContactName,
                                      ContactEmail = contact.ContactEmail,
                                      ContactPhone = contact.ContactPhone,
                                      ContactType = contact.ContactType,
                                      ContactNotes = contact.ContactNotes,
                                      BankID = contact.BankID,
                                      BankName = bank.BankName
                                  };
                return Json(ortcontacts.ToDataSourceResult(request));
 
        }


Here's the TreasuryCreateModel:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using PosPayAndBankRec.Domain.Models;
using System.ComponentModel.DataAnnotations;
using PosPayAndBankRec.Models.Validators;
 
namespace PosPayAndBankRec.Models
{
    public class TreasuryCreateItem
    {
        public int AccountID { get; set; }
        public int BankID { get; set; }
        public string BankName { get; set; }
        [Required]
        [UniqueAccountName("This bank is already named in the system.")]
        [DataType(DataType.Text)]
        public string BankAccountName { get; set; }
        [Required]
        [UniqueAccountName("This account is already named in the system.")]
        [DataType(DataType.Text)]
        public string AccountName { get; set; }
        public string AccountNumber { get; set; }
        public string RamQuestBankNumber { get; set; }
        public string ContactType { get; set; }
        public string Description { get; set; }
        public int ContactID { get; set; }
        public string ContactName { get; set; }
        public string ContactPhone { get; set; }
        public string ContactEmail { get; set; }
        public string ContactNotes { get; set; }
        public bool? HasPosPay { get; set; }
        public bool? HasBankRec { get; set; }
        public string BrStatus { get; set; }
        public string PpStatus { get; set; }
        public string BrStatusNotes { get; set; }
        public string PpStatusNotes { get; set; }
        public Nullable<System.DateTime> BrActivationDate { get; set; }
        public Nullable<System.DateTime> BrDeactivationDate { get; set; }
        public Nullable<System.DateTime> PpActivationDate { get; set; }
        public Nullable<System.DateTime> PpDeactivationDate { get; set; }
        public List<ORTBank> Banks { get; set; }
    }
 
    public class TreasuryCreateModel
    {
        public List<ORTBank> Banks { get; set; }
        public List<ORTAccount> Accounts { get; set; }
        public List<ORTContact> Contacts { get; set; }
        public IEnumerable<TreasuryCreateItem> TreasuryCreateItems { get; set; }
    }
}


JavaScript:

<script type="text/javascript">
 
            function onBankChange(e) {
                var BankID;
                var bankDropdown = this;
                var contactGrid = $("#Contacts").data("kendoGrid");
 
                // Set BankId to the selected id of the bankDropDown
                BankID = $.map(this.select(), function (item) {
                    var dataItem = bankDropdown.dataItem(bankDropdown.select()).Id;
                });
 
                // Read the datasource again
                contactGrid.dataSource.read();
            }
 
            function getBankID() {
                return {
                    BankID: $("#BankID").val()
                };
            }
 
            function setPopupDimensions(ev) {
 
                window.setTimeout(function () {
 
                    $(".k-edit-form-container").parent().width(800).height(400).data("kendoWindow").center();
                }, 100);
 
            }
        </script>



Tsvetomir
Telerik team
 answered on 26 Jun 2019
Narrow your results
Selected tags
Tags
Grid
General Discussions
Charts
Data Source
Scheduler
DropDownList
TreeView
MVVM
Editor
Window
DatePicker
Spreadsheet
Upload
ListView (Mobile)
ComboBox
TabStrip
MultiSelect
AutoComplete
ListView
Menu
Templates
Gantt
Validation
TreeList
Diagram
NumericTextBox
Splitter
PanelBar
Application
Map
Drag and Drop
ToolTip
Calendar
PivotGrid
ScrollView (Mobile)
Toolbar
TabStrip (Mobile)
Slider
Button (Mobile)
Filter
SPA
Drawing API
Drawer (Mobile)
Globalization
LinearGauge
Sortable
ModalView
Hierarchical Data Source
Button
FileManager
MaskedTextBox
View
Form
NavBar
Notification
Switch (Mobile)
SplitView
ListBox
DropDownTree
PDFViewer
Sparkline
ActionSheet
TileLayout
PopOver (Mobile)
TreeMap
ButtonGroup
ColorPicker
Pager
Styling
Chat
MultiColumnComboBox
Dialog
DateRangePicker
Checkbox
Timeline
Drawer
DateInput
ProgressBar
MediaPlayer
ImageEditor
TextBox
OrgChart
Accessibility
Effects
PivotGridV2
ScrollView
Switch
TextArea
BulletChart
Licensing
QRCode
ResponsivePanel
Wizard
CheckBoxGroup
Localization
Barcode
Breadcrumb
Collapsible
MultiViewCalendar
Touch
RadioButton
Stepper
Card
ExpansionPanel
Rating
RadioGroup
Badge
Captcha
Heatmap
AppBar
Loader
Security
TaskBoard
Popover
DockManager
FloatingActionButton
CircularGauge
ColorGradient
ColorPalette
DropDownButton
TimeDurationPicker
ToggleButton
TimePicker
BottomNavigation
Ripple
SkeletonContainer
Avatar
Circular ProgressBar
FlatColorPicker
SplitButton
Signature
Chip
ChipList
VS Code Extension
AIPrompt
PropertyGrid
Sankey
Chart Wizard
OTP Input
SpeechToTextButton
InlineAIPrompt
StockChart
ContextMenu
DateTimePicker
RadialGauge
ArcGauge
AICodingAssistant
SegmentedControl
+? more
Top users last month
Boardy
Top achievements
Rank 2
Veteran
Iron
Benjamin
Top achievements
Rank 3
Bronze
Iron
Veteran
ivory
Top achievements
Rank 1
Iron
Iron
Rob
Top achievements
Rank 3
Bronze
Bronze
Iron
ClausDC
Top achievements
Rank 2
Iron
Iron
Iron
Want to show your ninja superpower to fellow developers?
Top users last month
Boardy
Top achievements
Rank 2
Veteran
Iron
Benjamin
Top achievements
Rank 3
Bronze
Iron
Veteran
ivory
Top achievements
Rank 1
Iron
Iron
Rob
Top achievements
Rank 3
Bronze
Bronze
Iron
ClausDC
Top achievements
Rank 2
Iron
Iron
Iron
Want to show your ninja superpower to fellow developers?
Want to show your ninja superpower to fellow developers?