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

nostr-core

v0.2.0

Published

Dead-simple, vendor-neutral NWC (Nostr Wallet Connect) client

Readme

nostr-core

Dead-simple, vendor-neutral Nostr Wallet Connect (NWC) client for JavaScript and TypeScript.

Demo

import { NWC } from 'nostr-core'

const nwc = new NWC('nostr+walletconnect://...')
await nwc.connect()

const { balance } = await nwc.getBalance()
console.log(`Balance: ${balance} msats`)

const { preimage } = await nwc.payInvoice('lnbc...')
console.log('Paid! Preimage:', preimage)

nwc.close()

Features

  • Single connection string - pass a nostr+walletconnect:// URI and start making calls
  • Full NIP-47 coverage - pay_invoice, get_balance, make_invoice, list_transactions, pay_keysend, sign_message, and more
  • Auto-encryption - detects NIP-04 or NIP-44 support and handles it transparently
  • Typed errors - specific error classes for timeouts, connection failures, wallet rejections, and decryption issues
  • Zero framework deps - built on audited noble cryptography libraries only
  • ESM-only - tree-shakeable, modern JavaScript

Install

npm install nostr-core

Requires Node.js 18+ or any runtime with Web Crypto and WebSocket support (Deno, Bun, Cloudflare Workers).

Quick Start

Connect to a Wallet

import { NWC } from 'nostr-core'

const nwc = new NWC('nostr+walletconnect://...')
await nwc.connect()

const info = await nwc.getInfo()
console.log('Connected to:', info.alias)
console.log('Methods:', info.methods)

Pay an Invoice

try {
  const { preimage, fees_paid } = await nwc.payInvoice('lnbc...')
  console.log('Preimage:', preimage)
} catch (err) {
  console.error('Payment failed:', err.message)
}

Pay a Lightning Address

try {
  const { preimage, invoice } = await nwc.payLightningAddress('[email protected]', 100)
  console.log('Paid 100 sats! Preimage:', preimage)
} catch (err) {
  console.error('Payment failed:', err.message)
}

Pay a Lightning Address in Fiat

// Pay $5 USD to a Lightning Address - automatically converts to sats
const { preimage, sats, rate } = await nwc.payLightningAddressFiat('[email protected]', 5, 'usd')
console.log(`Paid ${sats} sats ($5 at $${rate}/BTC)`)

Create an Invoice

const tx = await nwc.makeInvoice({
  amount: 10000, // msats
  description: 'Coffee',
})
console.log('Invoice:', tx.invoice)

Listen for Payments

nwc.on('payment_received', (notification) => {
  console.log('Received:', notification.notification.amount, 'msats')
})

Close

nwc.close()

API

NWC Methods

| Method | Description | |--------|-------------| | connect() | Connect to relay, auto-detect encryption | | getInfo() | Wallet metadata (alias, network, supported methods) | | getBalance() | Wallet balance in msats | | getBudget() | NWC spending budget info | | payInvoice(invoice, amount?) | Pay a BOLT-11 invoice | | payKeysend(params) | Keysend payment to a node pubkey | | makeInvoice(params) | Create a Lightning invoice | | lookupInvoice(params) | Look up an invoice by hash or string | | listTransactions(params?) | List past transactions | | signMessage(message) | Sign a message with the wallet's key | | payLightningAddress(address, amountSats) | Resolve a Lightning Address and pay the invoice | | payLightningAddressFiat(address, fiatAmount, currency) | Convert fiat to sats and pay a Lightning Address | | on(event, handler) | Listen for payment_received / payment_sent | | off(event, handler) | Remove an event handler | | close() | Disconnect and clean up |

Configuration

const nwc = new NWC(connectionString)
nwc.replyTimeout = 30000   // Wallet reply timeout (default: 60s)
nwc.publishTimeout = 10000 // Relay publish timeout (default: 5s)

Error Handling

import { NWCWalletError, NWCTimeoutError, NWCConnectionError } from 'nostr-core'

try {
  await nwc.payInvoice('lnbc...')
} catch (err) {
  if (err instanceof NWCWalletError) {
    console.error(`Wallet rejected [${err.code}]: ${err.message}`)
  } else if (err instanceof NWCTimeoutError) {
    console.error('Timed out:', err.code) // 'PUBLISH_TIMEOUT' or 'REPLY_TIMEOUT'
  } else if (err instanceof NWCConnectionError) {
    console.error('Connection lost')
  }
}

Error hierarchy:

NWCError (code: string)
├── NWCWalletError          - wallet rejected the request
├── NWCTimeoutError         - generic timeout
│   ├── NWCPublishTimeoutError  - relay didn't acknowledge
│   └── NWCReplyTimeoutError    - wallet didn't respond
├── NWCPublishError         - relay rejected the event
├── NWCConnectionError      - couldn't connect to relay
├── NWCDecryptionError      - couldn't decrypt response
├── LightningAddressError   - Lightning Address resolution failed
└── FiatConversionError     - fiat-to-sats conversion failed

Low-Level Exports

nostr-core also exports the building blocks used internally:

import {
  // Key management
  generateSecretKey, getPublicKey,

  // Events
  finalizeEvent, verifyEvent, getEventHash, serializeEvent, validateEvent,

  // Relay connections
  Relay, RelayPool,

  // Encryption
  nip04, nip44,

  // Bech32 encoding
  nip19,

  // Filters
  matchFilter, matchFilters,

  // Utilities
  normalizeURL, bytesToHex, hexToBytes, randomBytes,
} from 'nostr-core'

Why nostr-core over @getalby/sdk?

If you've used @getalby/sdk before, here's why nostr-core is a better fit for most NWC use cases:

| | nostr-core | @getalby/sdk | | |---|---|---|---| | Install size | 118 MB | 159 MB | 26% smaller | | Packages installed | 79 | 436 | 82% fewer | | Dependency tree | 132 total | 698 total | 81% fewer | | Vendor lock-in | None - pure NIP-47 protocol | Coupled to Alby (OAuth, webhooks, branding) | | | Error handling | Typed hierarchy (8 specific classes) | Generic errors | | | Encryption | Auto-detects NIP-04 / NIP-44 | Manual configuration | | | Fiat conversion | Built-in (zero extra deps) | USD() via LN client (v7+), backed by @getalby/lightning-tools | | | Runtime support | Node 18+, Deno, Bun, Cloudflare Workers | Node.js (requires websocket polyfill pre-v18) | | | API surface | One class (NWC) | LN + NWCClient + NWAClient + NostrWebLNProvider + OAuthWebLNProvider | |

Use @getalby/sdk if you need Alby OAuth or WebLN compatibility. Use nostr-core for everything else - including Lightning Address payments and fiat currency conversion, which are now supported natively.

See the full comparison guide for details.

Dependencies

| Package | Purpose | |---------|---------| | @noble/curves | secp256k1 / schnorr signatures | | @noble/hashes | SHA-256, HMAC, HKDF | | @noble/ciphers | AES-CBC, ChaCha20 | | @scure/base | Base64, bech32 encoding |

License

MIT