ActionCable-Vue Plugin
actioncable-vue is a Vue plugin designed to simplify the integration of ActionCable, Ruby on Rails' WebSocket framework, into Vue.js applications. It provides a straightforward API for managing WebSocket connections, subscribing to channels, and handling real-time data. Currently at stable version 3.1.2, the package appears to have an active development cadence, indicated by recent commits and continuous maintenance. A key differentiator is its support for both Vue 2 and Vue 3, allowing developers to use the same plugin across different generations of Vue projects, adapting its API usage accordingly. It abstracts away much of the boilerplate associated with direct ActionCable consumer usage, offering options for debugging, connection URL configuration (including dynamic URLs for JWTs), immediate connection, and automatic unsubscription upon component unmount.
Common errors
-
TypeError: Cannot read properties of undefined (reading '$cable')
cause The ActionCableVue plugin was not correctly installed on the Vue instance/application, or `this.$cable` is being accessed outside a Vue component's context where `this` refers to the component instance. This often happens if `app.use()` is missed or incorrectly placed.fixEnsure `createApp(App).use(ActionCableVue, options)` is called before mounting your Vue 3 application, or `Vue.use(ActionCableVue, options)` for Vue 2. Verify that `$cable` is accessed within a component's lifecycle hook or method. -
WebSocket connection to 'ws://localhost:3000/cable' failed: Error during WebSocket handshake: Unexpected response code: 404
cause The `connectionUrl` provided to `actioncable-vue` is incorrect, or the ActionCable server is not running, not accessible at the specified URL, or not configured to handle WebSocket connections at the `/cable` endpoint.fixDouble-check that your Rails ActionCable server is running and configured correctly. Verify the `connectionUrl` in your `actioncable-vue` options matches the actual WebSocket endpoint of your backend. Ensure no firewalls or proxies are blocking the connection. -
Error: [plugin: vite:dep-scan] Failed to resolve entry for package "@rails/actioncable". The package may have incorrect main/module/exports specified in its package.json.
cause This typically indicates an issue with a build tool (like Vite) resolving the `actioncable` dependency, possibly due to incorrect package.json entries or an older version of `actioncable` that doesn't properly expose ESM exports.fixEnsure `@rails/actioncable` (if directly used) or `actioncable` (as a dependency of `actioncable-vue`) is correctly installed and compatible with your build setup. Update `actioncable-vue` and `actioncable` to their latest versions. You might need to adjust your build tool's configuration (e.g., Vite's `optimizeDeps` or `alias`) if the issue persists.
Warnings
- breaking The installation method changed significantly between Vue 2 and Vue 3. Vue 2 uses `Vue.use(ActionCableVue, options)`, while Vue 3 requires `createApp(App).use(ActionCableVue, options)`. Direct `new Vue()` instantiation is no longer applicable for global plugin registration in Vue 3.
- gotcha If `connectionUrl` is not explicitly provided during plugin installation, `actioncable-vue` will defer to ActionCable's default behavior, which typically attempts to connect to `/cable` on the same host. This might not be suitable for API-only backends or cross-origin setups.
- gotcha The `connectionUrl` option can be a function that returns the URL. This is critical for dynamic authentication schemes, such as appending JWTs to the WebSocket URL. Failing to use a function for dynamic tokens will result in expired or missing authentication.
- gotcha By default, `connectImmediately` is `true` and `unsubscribeOnUnmount` is `true`. While `unsubscribeOnUnmount` helps prevent memory leaks and unnecessary subscriptions, setting `connectImmediately` to `false` without manually calling `this.$cable.connection.connect()` or subscribing to a channel will delay the WebSocket connection indefinitely.
Install
-
npm install actioncable-vue -
yarn add actioncable-vue -
pnpm add actioncable-vue
Imports
- ActionCableVue
import { ActionCableVue } from 'actioncable-vue'import ActionCableVue from 'actioncable-vue'
- useCable
import { useCable } from 'actioncable-vue' - Vue instance property ($cable)
this.$cable
Quickstart
import { createApp } from 'vue';
import App from './App.vue';
import ActionCableVue from 'actioncable-vue';
const actionCableVueOptions = {
debug: true,
debugLevel: 'info',
// Example: Connect to a local ActionCable server. In production, this would be your backend URL.
// Use process.env for sensitive or environment-specific URLs.
connectionUrl: process.env.VUE_APP_ACTION_CABLE_URL ?? 'ws://localhost:3000/cable',
connectImmediately: true,
unsubscribeOnUnmount: true,
// Optional: If you use Vuex or Pinia, you can pass your store here for easier access within channels.
// store: myVuexStore
};
createApp(App)
.use(ActionCableVue, actionCableVueOptions)
.mount('#app');
// Example component usage with Composition API
// <script setup>
// import { useCable, onMounted, onUnmounted, ref } from 'actioncable-vue';
// const { subscribe, unsubscribe, cable } = useCable();
// const message = ref('');
// let chatSubscription;
// onMounted(() => {
// chatSubscription = subscribe(
// { channel: 'ChatChannel', room: 'general' },
// {
// received(data) {
// message.value = data.message; // Assuming data has a 'message' field
// console.log('Received:', data);
// },
// connected() {
// console.log('Connected to ChatChannel');
// },
// disconnected() {
// console.log('Disconnected from ChatChannel');
// }
// }
// );
// });
// onUnmounted(() => {
// if (chatSubscription) {
// unsubscribe(chatSubscription);
// }
// });
// </script>