(func()).*
による関数呼び出しの繰り返しの回避9.3 より前の PostgreSQL バージョンでは、(func()).*
構文 (func
はテーブルを返す) を使用すると、関数が意図せず複数回実行される可能性があります。これはクエリのパフォーマンスに大きな影響を与えます。
いくつかの方法でこの問題を効果的に回避できます。
1.サブクエリのアプローチ:
<code class="language-sql">SELECT (mf).* FROM ( SELECT my_func(x) AS mf FROM some_table ) sub;</code>
2.オフセット 0 テクニック:
<code class="language-sql">SELECT (mf).* FROM ( SELECT my_func(x) AS mf FROM some_table OFFSET 0 ) sub;</code>
3. CTE (共通テーブル式) アプローチ:
<code class="language-sql">WITH tmp(mf) AS ( SELECT my_func(x) FROM some_table ) SELECT (mf).* FROM tmp;</code>
4. LATERAL JOIN (PostgreSQL 9.3 以降):
<code class="language-sql"> SELECT mf.* FROM some_table LEFT JOIN LATERAL my_func(some_table.x) AS mf ON true; ``` This is the preferred method for PostgreSQL 9.3 and above. ### Explanation The root cause lies in how PostgreSQL's parser handles `(func()).*` in older versions. The wildcard expands into individual column selections, mistakenly causing the function to be called repeatedly for each column. ### Why Repeated Calls Occur Pre-9.3 PostgreSQL parsers interpret `(func()).*` by replicating nodes within the parse tree. This replication results in a separate function call for every selected column, even if a single call would suffice.</code>
以上が古い PostgreSQL バージョンで `(func()).*` による複数の関数呼び出しを防ぐにはどうすればよいですか?の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。