問題:
次のコード スニペットでは、go vetツールがエラーを報告しています:「関数リテラル (scopelint) で範囲スコープ x の変数を使用しています。」
<code class="go">func TestGetUID(t *testing.T) { for _, x := range tests { t.Run(x.description, func(t *testing.T) { client := fake.NewSimpleClientset(x.objs...) actual := getUID(client, x.namespace) assert.Equal(t, x.expected, actual) }) } }</code>
説明:
このエラー メッセージは、次のことを示しています。ループ変数である x は、t.Run() に渡される関数リテラルで使用されています。コンパイラは、t.Run() が戻った後に関数リテラルが呼び出されないことを保証できません。これにより、データ競合やその他の予期しない動作が発生する可能性があります。
解決策:
この問題を解決するには、x のコピーを作成し、そのコピーを関数リテラルで使用します。
<code class="go">func TestGetUID(t *testing.T) { for _, x := range tests { x2 := x // Copy the value of x t.Run(x2.description, func(t *testing.T) { client := fake.NewSimpleClientset(x2.objs...) actual := getUID(client, x2.namespace) assert.Equal(t, x2.expected, actual) }) } }</code>
あるいは、ループ変数 x を新しい変数に代入してシャドウすることもできます。関数リテラル内の同じ名前:
<code class="go">func TestGetUID(t *testing.T) { for _, x := range tests { t.Run(x.description, func(t *testing.T) { x := x // Shadow the loop variable client := fake.NewSimpleClientset(x.objs...) actual := getUID(client, x.namespace) assert.Equal(t, x.expected, actual) }) } }</code>
以上がGo で「関数リテラルの範囲スコープ x の変数を使用しています」というエラーが発生するのはなぜですか?の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。