1

我有一个自定义输入框,它继承自HTMLInputElement

class TB extends HTMLInputElement {

  static get observedAttributes() {
    return ['value'];
  }

  constructor() {
    super();

    this.addEventListener("change", function (event) {
      this.setAttribute('value', this.value);
    });
    }

    connectedCallback() {
      this.setAttribute('value', this.value);
    }

    attributeChangedCallback(name, oldValue, newValue) { 
        this.value = newValue;
      }
  }

我能够做到以下几点:

  1. 在输入中输入“测试”

    (tb.value && tb.value..attributes["value"])==="test

  2. 更改属性值以更改属性

tb.attributes["value"].value ="test" -> tb.value ==="test"

但我不能执行以下操作:

tb.value = "test" -> tb.attributes["value"] === "test";

我认为解决方案是覆盖类的 get value() 和 set value(value)。但我没有任何成功。

4

1 回答 1

2

你不应该这样做,因为它会改变元素的默认行为,这是从属性到属性<input>的单向绑定。valuevalue

无论如何,您需要重载value与 结合的 setter 和 getter super,注意不要使用 2 个更新创建无限循环。

class TB extends HTMLInputElement {
    static get observedAttributes() { return ['value'] }

    constructor() {
        super()
        this.addEventListener( 'input', () => this.setAttribute( 'value', super.value ) )
    }

    attributeChangedCallback(name, oldValue, newValue) { 
        this.value = newValue
    }
    
    get value() { return super.value }

    set value( val ) {
        super.value = val
        if ( val != this.getAttribute( 'value' ) )
            this.setAttribute( 'value', val )
    }
}
customElements.define( 'my-input', TB, { extends: 'input' } )
<input is="my-input" value="test" id=IN>

注意:这是一个不检查数据类型的简单示例。

于 2019-03-01T17:56:48.713 回答