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

no-cluely

v0.0.4

Published

Detect Cluely cheating software and its evasion techniques from Node.js, Electron, and TypeScript applications

Readme

NoCluely 🎯

Detect Cluely cheating software and its evasion techniques from Node.js, Electron, and TypeScript applications.

Installation

npm install no-cluely

Quick Start

TypeScript/ES Modules

import { NoCluely } from 'no-cluely';

// Simple check
if (NoCluely.isCluelyRunning()) {
  console.log('⚠️ Employee monitoring detected!');
}

// Detailed analysis
const detection = CluelyDetector.detectCluelyDetailed();
console.log(`Severity: ${detection.severityLevel}`);
console.log(`Techniques: ${detection.evasionTechniques.join(', ')}`);

CommonJS/Node.js

const { NoCluely } = require('no-cluely');

// Simple check
if (NoCluely.isCluelyRunning()) {
  console.log('⚠️ Employee monitoring detected!');
}

Electron Main Process

import { app, BrowserWindow, ipcMain } from 'electron';
import { NoCluely } from 'no-cluely';

app.whenReady().then(() => {
  // Check for monitoring software on startup
  const detection = CluelyDetector.detectCluelyDetailed();
  if (detection.isDetected) {
    console.log('⚠️ Employee monitoring detected in Electron app');
  }
});

// Expose detection to renderer process
ipcMain.handle('check-cluely', () => {
  return CluelyDetector.detectCluelyDetailed();
});

API Reference

NoCluely Class

NoCluely.isCluelyRunning(): boolean

Simple check if Cluely is running.

const isDetected = CluelyDetector.isCluelyRunning();

CluelyDetector.detectCluely(): { isDetected: boolean; windowCount: number }

Basic detection with window count.

const { isDetected, windowCount } = CluelyDetector.detectCluely();

CluelyDetector.detectCluelyDetailed(): CluelyDetection

Comprehensive detection with evasion analysis.

const detection = CluelyDetector.detectCluelyDetailed();
// Returns: CluelyDetection object with full details

CluelyDetector.getCluelyReport(): string

Get detailed text report.

const report = CluelyDetector.getCluelyReport();
console.log(report);

CluelyDetector.getCluelyWindowCount(): number

Get number of Cluely windows.

const count = CluelyDetector.getCluelyWindowCount();

CluelyDetection Interface

interface CluelyDetection {
  readonly isDetected: boolean;
  readonly windowCount: number;
  readonly screenCaptureEvasionCount: number;
  readonly elevatedLayerCount: number;
  readonly maxLayerDetected: number;
  readonly severityLevel: 'None' | 'Low' | 'Medium' | 'High';
  readonly evasionTechniques: string[];
  readonly report: string;
  readonly timestamp: Date;
}

CluelyMonitor Class

Monitor for detection changes with event callbacks.

import { CluelyMonitor } from '@no-cluely/detector';

const monitor = new CluelyMonitor();
monitor.start(5000, {
  onDetected: (detection) => {
    console.log('🚨 Cluely detected!', detection);
  },
  onRemoved: () => {
    console.log('✅ Cluely monitoring stopped');
  },
  onChange: (detection) => {
    // Called on every check
  }
});

// Stop monitoring
monitor.stop();

Usage Examples

Express.js Server

import express from 'express';
import { CluelyDetector } from '@no-cluely/detector';

const app = express();

app.get('/security/check', (req, res) => {
  const detection = CluelyDetector.detectCluelyDetailed();
  res.json({
    monitoring_detected: detection.isDetected,
    severity: detection.severityLevel,
    evasion_techniques: detection.evasionTechniques,
    timestamp: detection.timestamp
  });
});

app.listen(3000);

Electron Renderer (with IPC)

// In preload.js
import { contextBridge, ipcRenderer } from 'electron';

contextBridge.exposeInMainWorld('cluely', {
  checkMonitoring: () => ipcRenderer.invoke('check-cluely')
});

// In renderer
window.cluely.checkMonitoring().then(detection => {
  if (detection.isDetected) {
    showWarning('Employee monitoring detected!');
  }
});

React Component

import React, { useState, useEffect } from 'react';
import { CluelyDetector, CluelyDetection } from '@no-cluely/detector';

export const MonitoringAlert: React.FC = () => {
  const [detection, setDetection] = useState<CluelyDetection | null>(null);

  useEffect(() => {
    const checkMonitoring = () => {
      setDetection(CluelyDetector.detectCluelyDetailed());
    };

    checkMonitoring();
    const interval = setInterval(checkMonitoring, 10000);
    
    return () => clearInterval(interval);
  }, []);

  if (!detection?.isDetected) return null;

  return (
    <div className="alert alert-warning">
      <h4>⚠️ Employee Monitoring Detected</h4>
      <p>Severity: {detection.severityLevel}</p>
      <p>Techniques: {detection.evasionTechniques.join(', ')}</p>
    </div>
  );
};

Vue.js Component

<template>
  <div v-if="detection?.isDetected" class="monitoring-alert">
    <h3>⚠️ Employee Monitoring Detected</h3>
    <p>Severity: {{ detection.severityLevel }}</p>
    <ul>
      <li v-for="technique in detection.evasionTechniques" :key="technique">
        {{ technique }}
      </li>
    </ul>
  </div>
</template>

<script setup lang="ts">
import { ref, onMounted, onUnmounted } from 'vue';
import { CluelyDetector, type CluelyDetection } from '@no-cluely/detector';

const detection = ref<CluelyDetection | null>(null);
let interval: NodeJS.Timeout;

onMounted(() => {
  const checkMonitoring = () => {
    detection.value = CluelyDetector.detectCluelyDetailed();
  };
  
  checkMonitoring();
  interval = setInterval(checkMonitoring, 10000);
});

onUnmounted(() => {
  if (interval) clearInterval(interval);
});
</script>

Background Monitoring Service

import { CluelyMonitor } from '@no-cluely/detector';
import { EventEmitter } from 'events';

class SecurityService extends EventEmitter {
  private monitor = new CluelyMonitor();

  start() {
    this.monitor.start(5000, {
      onDetected: (detection) => {
        this.emit('threat-detected', {
          type: 'employee-monitoring',
          severity: detection.severityLevel,
          details: detection
        });
        
        // Log to security system
        this.logSecurityEvent('MONITORING_DETECTED', detection);
      },
      
      onRemoved: () => {
        this.emit('threat-removed', {
          type: 'employee-monitoring'
        });
      }
    });
  }

  stop() {
    this.monitor.stop();
  }

  private logSecurityEvent(event: string, data: any) {
    console.log(`[SECURITY] ${event}:`, data);
    // Send to logging service, SIEM, etc.
  }
}

const security = new SecurityService();
security.start();

CLI Wrapper

#!/usr/bin/env node
import { CluelyDetector } from '@no-cluely/detector';

const args = process.argv.slice(2);

switch (args[0]) {
  case 'check':
    const isDetected = CluelyDetector.isCluelyRunning();
    console.log(isDetected ? '🚨 DETECTED' : '✅ NOT DETECTED');
    process.exit(isDetected ? 1 : 0);
    break;
    
  case 'report':
    console.log(CluelyDetector.getCluelyReport());
    break;
    
  case 'json':
    console.log(JSON.stringify(CluelyDetector.detectCluelyDetailed(), null, 2));
    break;
    
  default:
    console.log('Usage: npx @no-cluely/detector [check|report|json]');
}

Webpack Configuration (for Browser Builds)

If you need to bundle this for browser use (note: this only works in Electron, not web browsers):

// webpack.config.js
module.exports = {
  target: 'electron-main', // or 'electron-renderer'
  externals: {
    'ffi-napi': 'commonjs ffi-napi',
    'ref-napi': 'commonjs ref-napi',
    'ref-struct-di': 'commonjs ref-struct-di'
  }
};

Error Handling

import { CluelyDetector } from '@no-cluely/detector';

try {
  const detection = CluelyDetector.detectCluelyDetailed();
  // Process detection...
} catch (error) {
  if (error.message.includes('only supported on macOS')) {
    console.log('This library only works on macOS');
  } else {
    console.error('Detection failed:', error);
  }
}

Performance Considerations

  • Detection is fast (< 50ms typically)
  • Minimal memory footprint (< 1MB)
  • Thread-safe: can be called from any Node.js thread
  • No network requests or external dependencies

Requirements

  • Node.js: 16.0.0 or later
  • Platform: macOS only (Darwin)
  • Architecture: x64 (Intel/Apple Silicon)

Platform Support

| Platform | Supported | Notes | | -------- | --------- | -------------------- | | macOS | ✅ | Primary platform | | Windows | ❌ | Cluely is macOS-only | | Linux | ❌ | Cluely is macOS-only |

License

MIT License

Contributing

Issues and pull requests welcome at: https://github.com/terminalsin/no-cluely