npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

larasopp

v1.2.24

Published

Websocket client for laravel

Readme

Larasopp Client

WebSocket client for Laravel with full TypeScript support and type safety.

Features

  • 🔌 WebSocket Connection - Real-time bidirectional communication
  • 🎯 Full TypeScript Support - Complete type safety for channels, events, and users
  • 📡 Channel Subscriptions - Subscribe to multiple channels
  • 🎧 Event Listeners - Listen to specific events with typed callbacks
  • 👥 Presence Channels - Track users joining/leaving channels
  • 🔐 Authentication - Token-based authentication
  • 🔄 Auto Reconnect - Automatic reconnection with configurable delays
  • Type Safety - Compile-time type checking for all operations

Installation

npm install larasopp
# or
yarn add larasopp
# or
pnpm add larasopp

Related Packages

Quick Start

import Larasopp from 'larasopp';

const larasopp = new Larasopp({
  host: 'ws://127.0.0.1:3001',
  token: 'your-auth-token'
});

larasopp.connect();

TypeScript Support

Larasopp provides full TypeScript support with generic types for channels, events, and users.

Defining Types

// Define your channel events structure
type ChannelsEvents = {
  chat: {
    message: { text: string; author: string; timestamp: number };
    typing: { user: string };
    userJoined: { user: string };
  };
  notifications: {
    alert: { title: string; body: string; type: 'info' | 'warning' | 'error' };
    update: { version: string };
  };
};

// Define your user type
interface MyUser {
  id: number;
  name: string;
  email: string;
  avatar?: string;
}

// Create typed instance
const larasopp = new Larasopp<ChannelsEvents, MyUser>({
  host: 'ws://127.0.0.1:3001',
  token: 'your-token'
});

API Reference

Configuration

interface IConfig {
  host: string;                    // WebSocket server URL
  token?: string;                  // Authentication token
  reviver?: (key: string, value: any) => any;  // JSON reviver function
  dataReviver?: { [key: string]: (value: any) => any };  // Per-key revivers
  reconnect?: number;              // Max reconnection attempts
  reconnectDelay?: number;         // Delay between reconnections (ms)
}

Connection

connect(token?: string)

Connect to the WebSocket server.

larasopp.connect();
// or with token
larasopp.connect('new-token');

disconnect()

Disconnect from the WebSocket server.

larasopp.disconnect();

setToken(token: string)

Update authentication token.

larasopp.setToken('new-token');

Channels

subscribe<K>(channel: K): Listener

Subscribe to a channel. Returns a Listener instance for the channel.

// TypeScript will enforce that 'chat' exists in ChannelsEvents
const listener = larasopp.subscribe('chat');

unsubscribe<K>(channel: K)

Unsubscribe from a channel.

larasopp.unsubscribe('chat');

countListeners<K>(channel: K): number

Get the number of listeners for a channel.

const count = larasopp.countListeners('chat');

Events

listen<K>(event: K, callback, withCache?: boolean): this

Listen to a specific event on the subscribed channel.

const listener = larasopp.subscribe('chat');

// TypeScript knows 'message' exists and its data type
listener.listen('message', (data) => {
  // data is typed as { text: string; author: string; timestamp: number }
  console.log(data.text, data.author);
});

// withCache: true will call callback immediately if cached data exists
listener.listen('typing', (data) => {
  console.log(data.user, 'is typing');
}, true);

trigger<K, E>(channel: K, event: E, message, permission?, waitSubscribe?): void

Trigger an event on a channel.

Permission Levels:

  • 'public' - Event will be sent to all channel subscribers AND to the API application
  • 'protected' - Event will be sent to all channel subscribers but NOT to the API application
  • 'private' - Event will be sent ONLY to the API application, not to channel subscribers
// TypeScript ensures 'chat' channel and 'message' event exist
// and that the message matches the event type

// Public: sent to all subscribers and API
larasopp.trigger('chat', 'message', {
  text: 'Hello World',
  author: 'John Doe',
  timestamp: Date.now()
}, 'public');

// Protected: sent to subscribers only, not to API
larasopp.trigger('chat', 'message', {
  text: 'User message',
  author: 'Jane Doe',
  timestamp: Date.now()
}, 'protected');

// Private: sent to API only, not to subscribers
larasopp.trigger('chat', 'message', {
  text: 'Admin notification',
  author: 'System',
  timestamp: Date.now()
}, 'private', true); // waitSubscribe: true waits for subscription

Event Permissions

When triggering events, you can specify one of three permission levels:

| Permission | Channel Subscribers | API Application | Use Case | |------------|---------------------|-----------------|----------| | 'public' | ✅ Yes | ✅ Yes | Broadcast to everyone including server-side processing | | 'protected' | ✅ Yes | ❌ No | Client-to-client communication without server handling | | 'private' | ❌ No | ✅ Yes | Server-side only events (notifications, admin actions) |

Examples:

// Public: Broadcast message to all users and process on server
larasopp.trigger('chat', 'message', {
  text: 'Hello everyone!',
  author: 'John'
}, 'public');

// Protected: Send to users but don't trigger server-side handlers
larasopp.trigger('chat', 'typing', {
  user: 'John'
}, 'protected');

// Private: Server-side only (e.g., admin notifications, system events)
larasopp.trigger('notifications', 'alert', {
  title: 'System Maintenance',
  body: 'Scheduled maintenance in 5 minutes'
}, 'private');

Presence Channels

here(callback, withCache?: boolean): this

Get list of users currently in the channel.

listener.here((users) => {
  // users is typed as MyUser[]
  users.forEach(user => {
    console.log(user.name, 'is here');
  });
});

joining(callback, withCache?: boolean): this

Listen for users joining the channel.

listener.joining((user) => {
  // user is typed as MyUser
  console.log(user.name, 'joined');
});

leaving(callback, withCache?: boolean): this

Listen for users leaving the channel.

listener.leaving((user) => {
  // user is typed as MyUser
  console.log(user.name, 'left');
});

User Management

user(callback): void

Get current authenticated user.

larasopp.user((user) => {
  // user is typed as MyUser
  console.log('Current user:', user.name);
});

userRefresh(callback): void

Refresh current user data.

larasopp.userRefresh((user) => {
  // user is typed as MyUser
  console.log('Refreshed user:', user);
});

Socket Events

addListener(event, callback): EventListener | undefined

Listen to socket-level events: 'open', 'close', 'error'.

larasopp.addListener('open', () => {
  console.log('Connected to WebSocket');
});

larasopp.addListener('close', () => {
  console.log('Disconnected from WebSocket');
});

larasopp.addListener('error', (error) => {
  console.error('WebSocket error:', error);
});

Listener Management

remove()

Remove all event listeners from a channel subscription.

const listener = larasopp.subscribe('chat');
listener.listen('message', handleMessage);

// Later, remove all listeners
listener.remove();

unsubscribe()

Unsubscribe from the channel and remove all listeners.

listener.unsubscribe();

Complete Example

import Larasopp from 'larasopp';

// Define types
type AppChannels = {
  chat: {
    message: { text: string; author: string };
    typing: { user: string };
  };
  notifications: {
    alert: { title: string; body: string };
  };
};

interface AppUser {
  id: number;
  name: string;
  email: string;
}

// Create instance
const larasopp = new Larasopp<AppChannels, AppUser>({
  host: 'ws://127.0.0.1:3001',
  token: 'auth-token',
  reconnect: 5,
  reconnectDelay: 1000
});

// Connect
larasopp.connect();

// Listen to connection events
larasopp.addListener('open', () => {
  console.log('Connected');
});

// Subscribe to channel
const chatListener = larasopp.subscribe('chat');

// Listen to events with full type safety
chatListener.listen('message', (data) => {
  // TypeScript knows data structure
  console.log(`${data.author}: ${data.text}`);
});

chatListener.listen('typing', (data) => {
  console.log(`${data.user} is typing...`);
});

// Presence channel features
chatListener.here((users) => {
  console.log('Users in channel:', users.map(u => u.name));
});

chatListener.joining((user) => {
  console.log(`${user.name} joined`);
});

chatListener.leaving((user) => {
  console.log(`${user.name} left`);
});

// Trigger events
larasopp.trigger('chat', 'message', {
  text: 'Hello!',
  author: 'John'
}, 'public');

// Get current user
larasopp.user((user) => {
  console.log('Logged in as:', user.name);
});

// Cleanup
chatListener.remove();
larasopp.unsubscribe('chat');
larasopp.disconnect();

Type Safety Benefits

With TypeScript support, you get:

  • Compile-time checks - Catch errors before runtime
  • Autocomplete - IDE suggests available channels and events
  • Type inference - Automatic type detection for callbacks
  • Refactoring safety - Rename channels/events with confidence
  • Documentation - Types serve as inline documentation

License

MIT

Author

Sergey Serov

Links