コンポーザブルからコンポーネントを返してみる【Vue】
Vue Advent Calendar 2025 13 日目の記事です。
はじめに
ナイトウ(@naitokosuke)と申します。
『【習作】Vue でラジオボタンを実装してみる』を公開したところ chibivue land Discord サーバーにて、miyaoka さんから、コンポーザブルからコンポーネントを返すようにできると教えていただきました。ありがとうございます。
「そんなことできるの!?」と驚きましたがたしかにできました。
この記事では、Vue のコンポーザブルからコンポーネントを返すパターンについてやっていきます。
⬇️ こうなったらちょっと嬉しい感じがしませんか?
<!-- Before -->
<Radio v-model="selected" :options :name :legend />
<!-- After -->
<Radio />
前回の記事のおさらい
前回の記事に引き続きラジオボタンを例にします。
(前回の記事は読まなくても全く問題ありません。)
Radio コンポーネントと、それを初期化する useRadio() コンポーザブルがあります。
useRadio() は options, name, legend, initial を引数に取ります。
そしてコンポーネントの props と選択状態(selected)を返します。
<script setup lang="ts">
import Radio, { useRadio } from "./Radio.vue";
const { options, name, legend, selected } = useRadio({
options: ["apple", "orange", "grape"],
name: "fruit",
legend: "Fruits",
});
</script>
<template>
<Radio v-model="selected" :options :name :legend />
<p v-if="selected">Selected: {{ selected }}</p>
<p v-else>Nothing selected</p>
</template>
凝集度が高く、useRadio() 時にコンポーネントにセットするための props も初期化できてとても良さそうです。
しかし、まだコンポーネントの使う側がどの props をセットすればよいのか知る必要があります。
そもそもセットすることも手間のようにすら感じられます。
「use() した時に props がセットされたコンポーネントも返ってきたらな〜、こうやって ⬇️ 書けたらな〜」
<script setup lang="ts">
import { useRadio } from "./Radio";
const { selected, RadioComponent: Radio } = useRadio({
options: ["apple", "orange", "grape"],
name: "fruit",
legend: "Fruits",
});
</script>
<template>
<Radio />
<p v-if="selected">Selected: {{ selected }}</p>
<p v-else>Nothing selected</p>
</template>
これが Vue 3 Composition API だとできちゃいます。
<Radio /> と書くだけで済むようになりました。
状態のバインディングは composable 内部で完結しています。
このパターンは React の世界では "render hooks" と呼ばれているようです。
React の言葉で言うと、「カスタムフックから JSX 式を返す設計パターンのこと」ですが、Vue では「コンポーザブルからコンポーネントを返す設計パターン」になります。
今回はこの設計パターンとその実装方法について書きます。
コンポーザブルのファイルで完結させる(render(), h())
コンポーザブル内でコンポーネントを記述しましょう。
import { ref, h, useId, defineComponent } from "vue";
export function useRadio<
const Options extends readonly [string, string, ...string[]],
>({ options, name, legend, initial }: {
options: Options;
name: string;
legend?: string;
initial?: Options[number];
}) {
const selected = ref<Options[number] | undefined>(initial);
const idPrefix = useId();
const RadioComponent = defineComponent({
name: "Radio",
render() {
return h("fieldset", {}, [
...(legend ? [h("legend", {}, legend)] : []),
...options.flatMap((option) => [
h("input", {
type: "radio",
id: `${idPrefix}-${option}`,
name,
value: option,
checked: selected.value === option,
onChange: () => { selected.value = option; },
}),
h("label", { for: `${idPrefix}-${option}` }, option),
]),
]);
},
});
return { selected, RadioComponent };
}
defineComponent を使って render メソッドを持つコンポーネントを定義しています。
h() は Vue の render 関数で、仮想 DOM ノードを生成します。
h("div", { class: "foo" }, "Hello");
// => <div class="foo">Hello</div>
第 1 引数がタグ名、第 2 引数が属性、第 3 引数が子要素です。
Vue 3.3 以降では、defineComponent に関数を渡す構文が使えます。
import { ref, h, useId, defineComponent } from "vue";
export function useRadio<
const Options extends readonly [string, string, ...string[]],
>({ options, name, legend, initial }: {
options: Options;
name: string;
legend?: string;
initial?: Options[number];
}) {
const selected = ref<Options[number] | undefined>(initial);
const idPrefix = useId();
const RadioComponent = defineComponent(() => () =>
h("fieldset", {}, [
...(legend ? [h("legend", {}, legend)] : []),
...options.flatMap((option) => [
h("input", {
type: "radio",
id: `${idPrefix}-${option}`,
name,
value: option,
checked: selected.value === option,
onChange: () => { selected.value = option; },
}),
h("label", { for: `${idPrefix}-${option}` }, option),
]),
]),
{ name: "Radio" }
);
return { selected, RadioComponent };
}
第 1 引数が setup 関数(render 関数を返す関数)です。
第 2 引数で name などのオプションを定義できます。
以降はこちらの関数構文を使用します。
SFC を分離してコンポーザブルでラップする
コンポーザブルからコンポーネントを返すパターンについて実装できました。
でも h() だけで書くのはやはりつらいです。
1 つのファイルにまとめることにこだわらずに SFC を活用しつつコンポーザブルからコンポーネントを返すパターンを実装してみます。
<script setup lang="ts" generic="Option extends string">
import { useId } from "vue";
const model = defineModel<Option | undefined>({ required: true });
defineProps<{
options: readonly [Option, Option, ...Option[]];
name: string;
legend?: string;
}>();
const idPrefix = useId();
</script>
<template>
<fieldset>
<legend v-if="legend">{{ legend }}</legend>
<template v-for="option in options" :key="option">
<input
type="radio"
:id="`${idPrefix}-${option}`"
:name
:value="option"
v-model="model"
/>
<label :for="`${idPrefix}-${option}`">{{ option }}</label>
</template>
</fieldset>
</template>
import { ref, h, defineComponent } from "vue";
import Radio from "./Radio.vue";
export function useRadio<
const Options extends readonly [string, string, ...string[]],
>({ options, name, legend, initial }: {
options: Options;
name: string;
legend?: string;
initial?: Options[number];
}) {
const selected = ref<Options[number] | undefined>(initial);
const RadioComponent = defineComponent(() => () =>
h(Radio, {
options,
name,
legend,
modelValue: selected.value,
"onUpdate:modelValue": (value: Options[number] | undefined) => {
selected.value = value;
},
}),
{ name: "Radio" }
);
return { selected, RadioComponent };
}
h() の第 1 引数には、タグ名だけでなくコンポーネントも渡せます。
composable 内で selected との双方向バインディングを設定することで、呼び出し側は <Radio /> と書くだけで済みます。
やっぱり 1 ファイルにまとめる(<script> と <script setup> の組み合わせ)
前回の記事と同様に、<script> と <script setup> を併用して 1 ファイルにまとめることもできます。
SFC 内で自分自身を import することで、コンポーザブルからラップしたコンポーネントを返せます。
(言うなれば) self-import は Vue を使うとたまに(動的コンポーネント(<component :is="..." />)を使う場合など)見かけます。
<script lang="ts">
import { ref, h, defineComponent } from "vue";
import Radio from "./Radio.vue"; // 自分自身を import
export function useRadio<
const Options extends readonly [string, string, ...string[]],
>({ options, name, legend, initial }: {
options: Options;
name: string;
legend?: string;
initial?: Options[number];
}) {
const selected = ref<Options[number] | undefined>(initial);
const RadioComponent = defineComponent(() => () =>
h(Radio, {
options,
name,
legend,
modelValue: selected.value,
"onUpdate:modelValue": (value: Options[number] | undefined) => {
selected.value = value;
},
}),
{ name: "Radio" }
);
return { selected, RadioComponent };
}
</script>
<script setup lang="ts" generic="Option extends string">
import { useId } from "vue";
const model = defineModel<Option | undefined>({ required: true });
defineProps<{
options: readonly [Option, Option, ...Option[]];
name: string;
legend?: string;
}>();
const idPrefix = useId();
</script>
<template>
<fieldset>
<legend v-if="legend">{{ legend }}</legend>
<template v-for="option in options" :key="option">
<input
type="radio"
:id="`${idPrefix}-${option}`"
:name
:value="option"
v-model="model"
/>
<label :for="`${idPrefix}-${option}`">{{ option }}</label>
</template>
</fieldset>
</template>
JSX を使用する
ここまで Vue らしいアプローチで実装してきました。
実は(?) Vue でも JSX を使用できます。
JSX を使って React の render hooks パターンにより近い形で書いてみることにしましょう。
Vue で JSX を使うには @vitejs/plugin-vue-jsx を導入します。
vite.config.ts
import vue from "@vitejs/plugin-vue";
import vueJsx from "@vitejs/plugin-vue-jsx";
import { defineConfig } from "vite";
export default defineConfig({
plugins: [vue(), vueJsx()],
});
tsconfig.json の設定(型推論)
Vue 3.4 以降で JSX の型推論を有効にするには、tsconfig.json に以下を追加します。
{
"compilerOptions": {
"jsx": "preserve",
"jsxImportSource": "vue"
}
}
import { defineComponent, ref, useId } from "vue";
export function useRadio<
const Options extends readonly [string, string, ...string[]],
>({ options, name, legend, initial }: {
options: Options;
name: string;
legend?: string;
initial?: Options[number];
}) {
const selected = ref<Options[number] | undefined>(initial);
const idPrefix = useId();
const RadioComponent = defineComponent(() => () => (
<fieldset>
{legend && <legend>{legend}</legend>}
{options.map((option) => (
<>
<input
type="radio"
id={`${idPrefix}-${option}`}
name={name}
value={option}
v-model={selected.value}
/>
<label for={`${idPrefix}-${option}`}>{option}</label>
</>
))}
</fieldset>
));
return { selected, RadioComponent };
}
JSX は h() のシンタックスシュガーです。
JSX で書いたコードはコンパイル時、h() 関数呼び出しへ変換されるため基本的な動作は同じです。
Vue 公式ドキュメントでは、以下のように h() と JSX の対応が示されています。
<div>{ok.value ? <div>yes</div> : <span>no</span>}</div>;
h("div", [ok.value ? h("div", "yes") : h("span", "no")]);
<ul>
{items.value.map(({ id, text }) => {
return <li key={id}>{text}</li>;
})}
</ul>;
h(
"ul",
items.value.map(({ id, text }) => {
return h("li", { key: id }, text);
})
);
JSX は HTML に近い構文で記述できるため、h() 関数のネストよりも視覚的に理解しやすいというメリットがあります。
どちらも JavaScript の完全な力(条件分岐、ループなど)をそのまま使える点は共通しています。
なお、Vue の JSX 変換は React の JSX 変換とは異なります。
公式ドキュメントでは以下のように説明されています。
Vue JSX 変換は React の JSX 変換とは異なるので、Vue アプリケーションで React の JSX 変換を使用することはできません。
Vue では class や for といった HTML 属性をそのまま使用できます(React のように className や htmlFor に書き換える必要がありません)。
SFC 内で JSX を使う
.tsx ファイルではなく SFC(.vue ファイル)内で JSX を使うこともできます。
その場合は <script setup lang="tsx"> を指定します。
<script setup lang="tsx">
import { ref, useId, defineComponent } from "vue";
const { options, name, legend, initial } = defineProps<{
options: readonly [string, string, ...string[]];
name: string;
legend?: string;
initial?: string;
}>();
const selected = ref<string | undefined>(initial);
const idPrefix = useId();
const RadioComponent = defineComponent(() => () => (
<fieldset>
{legend && <legend>{legend}</legend>}
{options.map((option) => (
<>
<input
type="radio"
id={`${idPrefix}-${option}`}
name={name}
value={option}
v-model={selected}
/>
<label for={`${idPrefix}-${option}`}>{option}</label>
</>
))}
</fieldset>
));
</script>
<template>
<RadioComponent />
</template>
この方法では SFC の構造を維持しながら、<script setup> 内で JSX を使ってコンポーネントを定義できます。
ついでに vue-jsx-vapor も紹介しておきます。
vue-jsx-vapor
vue-jsx-vapor は Vue JSX の Vapor Mode 実装です。
vue-jsx-vapor では defineStyle() マクロを使うことで scoped CSS を書くことができます。
※vue-jsx-vapor は Vue 3.6 以上が必要です。
import vueJsxVapor from "vue-jsx-vapor/vite";
import { defineConfig } from "vite";
export default defineConfig({
plugins: [
vueJsxVapor({
macros: true,
}),
],
});
import { defineVaporComponent, ref, useId } from "vue";
export function useRadio<
const Options extends readonly [string, string, ...string[]],
>({ options, name, legend, initial }: {
options: Options;
name: string;
legend?: string;
initial?: Options[number];
}) {
const selected = ref<Options[number] | undefined>(initial);
const idPrefix = useId();
const RadioComponent = defineVaporComponent(() => {
defineStyle(`
fieldset {
display: grid;
div {
display: grid;
grid-template-columns: auto 1fr;
}
}
`);
return (
<fieldset>
{legend && <legend>{legend}</legend>}
{options.map((option) => (
<div>
<input
type="radio"
id={`${idPrefix}-${option}`}
name={name}
value={option}
v-model={selected.value}
/>
<label for={`${idPrefix}-${option}`}>{option}</label>
</div>
))}
</fieldset>
);
});
return { selected, RadioComponent };
}
まとめ
この記事では「コンポーザブルからコンポーネントを返す」パターンを様々な方法で実装しました。
-
h()とrender()でコンポーザブルから props セット済みのコンポーネントを返す - SFC + composable で Vue らしく render hooks を実現
-
<script>と<script setup>の併用で Vue らしさを保ちながら 1 ファイルで render hooks パターンを実現 - JSX は React の render hooks パターンに近い形で記述
- (vue-jsx-vapor は JSX の書き味に加えて scoped CSS も使える)
どの方法もコンポーザブルから(props をセットした)コンポーネントを返すという目的は同じです。
render hooks パターンの是非や使いどころについてはまだわかっていません。
また、React では render hooks パターンに課題があることが知られています。
(返却されたコンポーネントが意図せずアンマウントされるためメモ化が必要になる?)
Vue には useMemo や useCallback がないため、React での課題が Vue では発生しない可能性もあります。
もしかしたら逆に Vue は render hooks パターンが向いている、、、?
(まだ何もわかっていないので間違っているかもしれません。)
render hooks パターンを知って、改めて Vue が好きになりました。
引き続き勉強していきたいです。
最後に
最後まで読んでいただきありがとうございました!
Discussion