我正在尝试在 handsontable 完成加载/初始化后进行一些 DOM 操作。

handsontable 是否有一些在完成构建后触发的事件?

最佳答案

我在他们的 github 上找不到任何这样的回调,我认为你真的不需要一个。调用 $("#container").handsontable() 后,只需更改 DOM 即可。如果是因为您使用 ajax 加载它,只需在完成时调用它。只需按照他们的示例 here 即可。if (source === 'loadData') {...}
如果您能接受挑战,并且根据您下载的版本,我们可以深入研究源代码并自己进行一些调整,因为它相当简单。我假设您在 handsontable 完成初始化而没有任何 ajax 加载后要求回调。

跟着我,让我们潜入。
jquery.handsontable.full.js 的变化

对了,就在设置之后,2165 线上的内容是:

$.fn.handsontable = function (action) {...};

在那里,我们知道一切都已初始化,幸运的是,开发人员很好地评论和正确标记了他的东西,所以让我们看看里面的行。

在线 2182 它说:
instance = new Handsontable.Core($this, currentSettings);

他们在那里初始化核心内容,至少这是我可以从名称中辨别出来的,因此在此行之后添加回调应该足以作为 afterInit 回调。

因此,我们需要做的就是在用户提供的设置中添加对回调的检查,然后调用它。我决定在 2184 行之后添加这个回调,因为它是在实例化之后。
你可以争论我把回调放在哪里,它是否应该在 Core 函数内,以及我如何检查设置是否是一个函数等,但这可以完成工作,而且这样更容易。

所以,在线2182
[...]
instance = new Handsontable.Core($this, currentSettings); //<---- line 2182
$this.data("handsontable", instance);
instance.init(); //<---- line 2184

if(typeof(currentSettings.afterInit) == "function"){
    currentSettings.afterInit();
}
[...]

在那里,这就是我们需要做的一切!现在我们可以使用 afterInit 回调函数创建一个手持表。
$("#container").handsontable({
    startRows: 8,
    startCols: 6,
    rowHeaders: true,
    colHeaders: true,
    minSpareRows: 1,
    contextMenu: true,
    afterInit: function(){
        console.log("Handsontable initialized!");
    }
});

不要害怕弄乱源代码,你会学到很多东西!

完整的修改代码

这是从 21652203 包含 $.fn.handsontable 函数的完整更改代码:
$.fn.handsontable = function (action) {
  var i, ilen, args, output = [], userSettings;
  if (typeof action !== 'string') { //init
    userSettings = action || {};
    return this.each(function () {
      var $this = $(this);
      if ($this.data("handsontable")) {
        instance = $this.data("handsontable");
        instance.updateSettings(userSettings);
      }
      else {
        var currentSettings = $.extend(true, {}, settings), instance;
        for (i in userSettings) {
          if (userSettings.hasOwnProperty(i)) {
            currentSettings[i] = userSettings[i];
          }
        }
        instance = new Handsontable.Core($this, currentSettings);
        $this.data("handsontable", instance);
        instance.init();
        if(typeof(currentSettings.afterInit) == "function"){
            currentSettings.afterInit();
        }
      }
    });
  }
  else {
    args = [];
    if (arguments.length > 1) {
      for (i = 1, ilen = arguments.length; i < ilen; i++) {
        args.push(arguments[i]);
      }
    }
    this.each(function () {
      output = $(this).data("handsontable")[action].apply(this, args);
    });
    return output;
  }
};

关于jquery - 当handsontable加载时触发的事件,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13956306/

10-12 03:42