3

背景

创建一个使用 Dave Hauenstein 的就地编辑和 jQuery 的自动完成插件的所见即所得编辑器。

源代码

该代码包含以下部分:HTML、就地编辑和自动完成。

HTML

成为就地编辑文本字段的 HTML 元素:

<span class="edit" id="edit">Edit item</span>

就地编辑

使用就地编辑插件的 JavaScript 代码:

  $('#edit').editInPlace({
    url           : window.location.pathname,
    hover_class   : 'inplace_hover',
    params        : 'command=update-edit',
    element_id    : 'edit-ac',
    on_edit       : function() {
      return '';
    }
  });

当用户点击相关元素on_edit时,自定义代码调用函数。span返回的值用于为文本输入字段设定种子。理论上,插件应该用类似于以下span的元素替换 DOM 中的元素:input

<input type="text" id="edit-ac" />

自动完成

自动完成代码:

  $('#edit-ac').autocomplete({
    source    : URL_BASE + 'search.php',
    minLength : 2,
    delay     : 25
  });

问题

相对于就地编辑代码的时间,自动完成代码的时间似乎不正确。

我认为就地编辑插件需要在字段添加到 DOMautocomplete调用代码片段。input

问题

您将如何集成这两个插件,以便当用户单击就地编辑字段时,自动完成代码在就地编辑添加的 DOM 元素上提供自动完成功能?

谢谢!

4

1 回答 1

2

解决方案

通过指示代码将标识符附加到输入字段来修改 jQuery 就地编辑器源代码。

jQuery 就地编辑器更新

本节详细介绍了所需的更新。

类型定义

在默认设置中提供新属性:

  editor_id:    "inplace_id", // default ID for the editor input field
  on_create:    null, // function: called after the editor is created

输入名称和类

更改inputNameAndClass功能以使用editor_id设置:

  /**
   * Returns the input name, class, and ID for the editor.
   */
  inputNameAndClass: function() {
    var result = ' name="inplace_value" class="inplace_field" ';

    // DJ: Append the ID to the editor input element.
    if( this.settings.editor_id ) {
      result += 'id="' + this.settings.editor_id + '" ';
    }

    return result;
  },

replaceContentWithEditor

更改replaceContentWithEditor函数以调用创建函数:

  replaceContentWithEditor: function() {
    var buttons_html  = (this.settings.show_buttons) ? this.settings.save_button + ' ' + this.settings.cancel_button : '';
    var editorElement = this.createEditorElement(); // needs to happen before anything is replaced
    /* insert the new in place form after the element they click, then empty out the original element */
    this.dom.html('<form class="inplace_form" style="display: inline; margin: 0; padding: 0;"></form>')
      .find('form')
        .append(editorElement)
        .append(buttons_html);

    // DJ: The input editor is part of the DOM and can now be manipulated.
    if( this.settings.on_create ) {
      this.settings.on_create( editorElement );
    }
  },

自动完成耦合

现在可以激活自动完成功能,并显示就地编辑。

联合通话

HTML 片段与以前相同。新的调用editInPlace类似于:

  $('#edit').editInPlace({
    url           : window.location.pathname,
    hover_class   : 'inplace_hover',
    params        : 'command=update-edit',
    editor_id     : 'edit-ac',
    on_create     : function( editor ) {
      $('#edit-ac').autocomplete({
        source    : URL_BASE + 'search.php',
        minLength : 2,
        delay     : 25
      });
    },
    on_edit       : function() {
      return '';
    }
  });

每当激活就地编辑器时,这会将自动完成功能附加到就地编辑器。

于 2012-10-06T02:32:16.130 回答