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

qsys-reflect-http

v1.0.0

Published

Q-SYS Reflect API client with automated authentication

Readme

qsys-reflect-http

Unofficial Node.js client for the Q-SYS Reflect API with automated browser-based authentication.

Features

  • Automated Authentication — Handles the complex Azure AD B2C OAuth flow via Puppeteer
  • Full API Coverage — Organizations, sites, cores, systems, network configuration
  • Remote Management — Reboot cores, rename systems, configure network services
  • TypeScript — Complete type definitions included
  • Simple API — Clean, promise-based interface

Write Operations

The primary purpose of this library is to enable remote management of Q-SYS systems. These PUT operations allow you to make changes:

| Method | Description | |--------|-------------| | rebootCore(coreId) | Remotely reboot a Q-SYS Core | | renameSystem(systemId, name) | Rename a system | | updateNetworkService(coreId, serviceId, enabled) | Enable/disable network services (QRC, discovery, etc.) |

// Reboot a core
await client.rebootCore(1234);

// Rename a system
await client.renameSystem(5678, 'Conference Room A');

// Enable WebSocket control on LAN A
await client.updateNetworkService(1234, 'qrcPublic', { lanA: true, lanB: false });

Installation

npm install qsys-reflect-http

Quick Start

import { authenticate, createClient } from 'qsys-reflect-http';

// Authenticate with your QSC account
const { token } = await authenticate({
  email: '[email protected]',
  password: 'your-password',
});

// Create the API client
const client = createClient(token);

// Start making API calls
const sites = await client.getSites();
console.log(sites);

Authentication

Authentication uses Puppeteer to automate the browser-based QSC login flow. This is necessary because Q-SYS Reflect uses Azure AD B2C which doesn't support simple username/password API authentication.

import { authenticate } from 'qsys-reflect-http';

const { token } = await authenticate({
  email: '[email protected]',
  password: 'your-password',
  headless: true,    // Optional: set to false for debugging (default: true)
  timeout: 60000,    // Optional: authentication timeout in ms (default: 60000)
});

Environment Variables

For security, store credentials in environment variables:

import 'dotenv/config';
import { authenticate, createClient } from 'qsys-reflect-http';

const { token } = await authenticate({
  email: process.env.REFLECT_EMAIL,
  password: process.env.REFLECT_PASSWORD,
});

const client = createClient(token);

Token Reuse

The token can be reused for multiple API calls. Tokens eventually expire, at which point you'll receive 401 errors and need to re-authenticate.

// Authenticate once
const { token } = await authenticate({ email, password });
const client = createClient(token);

// Make many calls with the same client
await client.getSites();
await client.getCores(1001);
await client.getSystem(5678);
// ... all use the same token

API Reference

User & Account

ping()

Check API connectivity.

const response = await client.ping();

getProfile()

Get the authenticated user's profile.

const profile = await client.getProfile();
// { id, email, firstName, lastName, ... }

getFeatures()

Get feature flags for the authenticated user.

const features = await client.getFeatures();

getAlertCount()

Get count of unread alerts.

const { count } = await client.getAlertCount();

Organizations & Sites

getOrganizations()

Get all organizations the user has access to.

const orgs = await client.getOrganizations();
// [{ id, name, ... }, ...]

getSites()

Get all sites the user has access to.

const sites = await client.getSites();
// [{ id, name, organizationId, ... }, ...]

Cores

getCores(siteId)

Get all cores for a site.

const cores = await client.getCores(1001);
// [{ id, name, systems: [...], ... }, ...]

getCore(siteId, coreId)

Get detailed information about a specific core.

const core = await client.getCore(1001, 1234);

getCoreFeatures(coreId)

Get feature configuration for a core.

const features = await client.getCoreFeatures(1234);

getCoreTime(coreId)

Get time configuration for a core.

const timeConfig = await client.getCoreTime(1234);

rebootCore(coreId)

Reboot a core. Returns true on success.

const success = await client.rebootCore(1234);
// true

Warning: This will immediately reboot the core, interrupting any active audio/control sessions.


Network Configuration

getNetworkInfo(coreId)

Get network configuration (hostname, interfaces, DNS).

const network = await client.getNetworkInfo(1234);
// {
//   data: {
//     hostname: 'lobby-core-01',
//     interfaces: [
//       { id: 'LAN A', ipAddress: '172.29.125.15', hasLink: true, ... },
//       { id: 'LAN B', ipAddress: '', hasLink: false, ... }
//     ],
//     dnsServers: [...],
//     autoDns: { dnsServers: [...], dnsSearchDomains: [...] }
//   }
// }

getNetworkServices(coreId)

Get network services configuration (discovery, SSH, QRC, etc.).

const services = await client.getNetworkServices(1234);
// {
//   data: [
//     { id: 'discovery', enabled: { lanA: true, lanB: false } },
//     { id: 'ssh', enabled: { lanA: false, lanB: false } },
//     { id: 'mdns', enabled: true },
//     ...
//   ]
// }

updateNetworkService(coreId, serviceId, enabled)

Update a single network service. Automatically fetches current state, modifies the target service, and saves.

// Enable WebSocket control on LAN A only
await client.updateNetworkService(1234, 'qrcPublic', { lanA: true, lanB: false });

// Enable mDNS (boolean-type service)
await client.updateNetworkService(1234, 'mdns', true);

// Disable discovery on both LANs
await client.updateNetworkService(1234, 'discovery', { lanA: false, lanB: false });

Available service IDs: | Service ID | Type | Description | |------------|------|-------------| | discovery | LAN | Q-SYS Device Discovery | | secure | LAN | Q-SYS Designer Communications (Secure) | | coreRedundancy | LAN | Core Redundancy | | peripheralsAudio | LAN | Audio-enabled Peripherals | | peripheralsControl | LAN | Control Peripherals (TSC) | | uci | LAN | UCI Viewers | | qec | LAN | External Control Protocol (ASCII) | | qrc | LAN | Remote Control Protocol (JSONRPC) | | qrcPublic | LAN | Remote WebSocket Control (BETA) | | ssh | LAN | Secure Maintenance & Support | | mdns | Boolean | mDNS / Bonjour Discovery | | hovermon | Boolean | Hovermon Audio |


Systems

getSystem(systemId)

Get detailed information about a system.

const system = await client.getSystem(5678);
// {
//   id: 5678,
//   name: 'Main Lobby',
//   status: { code: 0, name: 'OK', message: 'Running' },
//   core: { id: 1234, name: 'lobby-core-01', model: 'Core 8 Flex', ... },
//   revision: { version: 54, ... },
//   ...
// }

getAllSystems()

Get all systems across all sites and cores. Traverses the full hierarchy.

const systems = await client.getAllSystems();
// Returns array of all systems the user has access to

Note: This makes multiple API calls (sites → cores → systems), so it may take a few seconds for large deployments.

getSystemItems(systemId)

Get inventory items for a system.

const items = await client.getSystemItems(5678);

renameSystem(systemId, name)

Rename a system. Returns true on success.

const success = await client.renameSystem(5678, 'Main Conference Room');
// true

TypeScript

Full type definitions are included. Import types as needed:

import { 
  authenticate, 
  createClient,
  // Types
  AuthConfig,
  AuthResult,
  ReflectClient,
  UserProfile,
  Organization,
  Site,
  Core,
  CoreFeatures,
  System,
  SystemItem,
  NetworkServiceEnabled,
} from 'qsys-reflect-http';

Error Handling

API errors throw AxiosError exceptions:

try {
  await client.getCore(9999, 9999);
} catch (error) {
  if (error.response?.status === 404) {
    console.log('Core not found');
  } else if (error.response?.status === 401) {
    console.log('Token expired, re-authenticate');
  }
}

Examples

List all cores with their status

const sites = await client.getSites();

for (const site of sites) {
  console.log(`\n${site.name}:`);
  const cores = await client.getCores(site.id);
  
  for (const core of cores) {
    console.log(`  - ${core.name} (${core.model})`);
  }
}

Export all systems to JSON

import fs from 'fs';

const systems = await client.getAllSystems();
fs.writeFileSync('systems.json', JSON.stringify(systems, null, 2));
console.log(`Exported ${systems.length} systems`);

Bulk enable WebSocket control on all cores

const sites = await client.getSites();

for (const site of sites) {
  const cores = await client.getCores(site.id);
  
  for (const core of cores) {
    await client.updateNetworkService(core.id, 'qrcPublic', { lanA: true, lanB: false });
    console.log(`Enabled WebSocket control on ${core.name}`);
  }
}

Requirements

  • Node.js 18+
  • Puppeteer (automatically installs Chromium)

License

MIT

Disclaimer

This is an unofficial, community-maintained package. It is not affiliated with, endorsed by, or supported by QSC, LLC. Use at your own risk.