javascript bindを使ってオブジェクト内のthisを紐付けする

javascript bindを使ってオブジェクト内のthisを紐付けする

javascriptで、bindを使ってオブジェクト内のthisを紐付けするサンプルコードを掲載してます。ブラウザはchromeを使用しています。「bind」を使用することでオブジェクト内で定義されている「this」を使用することができます。

環境

  • OS windows10 pro 64bit
  • Apache 2.4.43
  • ブラウザ chrome 108.0.5359.72

オブジェクト内のthis

以下のようなオブジェクト「obj」があったとすると、

const obj = {
    num:1,
    fn:function (){console.log(this)}
}

これを変数に代入すると、オブジェクト内にある「this」は使用できません。
※メソッドを変数に代入すると、thisを受け取ることはできません。

const obj = {
    num:1,
    fn:function (){console.log(this)}
}

obj.fn() // オブジェクト内のthisが表示される

const objfn = obj.fn

objfn() // windowオブジェクトになる

実行結果

「this」を使用するためには「bind」を使用する必要があります。

const obj = {
    num:1,
    fn:function (){console.log(this)}
}

obj.fn() // オブジェクト内のthisが表示される

const objfn = obj.fn.bind(obj)

objfn() // オブジェクト内のthisが表示される

実行結果

bindを使用すると、「this」を保持することができます。

サンプルコード

以下は、
「実行」ボタンをクリックした際に、オブジェクト内のプロパティ「num」に生成された乱数を、「bind」を使用して取得するサンプルコードとなります。

※cssには「tailwind」を使用して、アロー関数で関数は定義してます。

<!DOCTYPE html>
<html lang="ja">

<head>
  <meta charset="utf-8">
  <title>mebeeサンプル</title>
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <script src="https://cdn.tailwindcss.com"></script>
</head>

<script>

  const hoge = () => {

    const obj = {
      num: Math.random() * 9,
      fn: function () { return this.num }
    }

    const objfn = obj.fn.bind(obj)

    foo.innerHTML = objfn()

  }

  window.onload = () => {

    btn.onclick = () => { hoge() };

  }

</script>

<body>
  <div class="container mx-auto my-56 w-64 px-4">

    <div id="sample" class="flex flex-col justify-center">

      <h1 class="font-semibold text-rose-500 text-lg mr-auto">実行結果</h1>
      
      <p id="foo" class="font-semibold text-lg mr-auto"></p>

      <button id="btn"
        class="mb-2 md:mb-0 bg-transparent hover:bg-violet-500 text-violet-700 font-semibold hover:text-white py-2 px-4 border border-violet-500 hover:border-transparent rounded">
        実行
      </button>

    </div>

  </div>
</body>

</html>

実行結果を確認すると、取得されていることが確認できます。