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 🙏

© 2024 – Pkg Stats / Ryan Hefner

fuqu

v3.0.0-beta.6

Published

Library used for manipulating with queues

Downloads

36

Readme

FuQu /fʌkjuː/

Rude, powerful Pub/Sub wrapper that handles logging, reconnecting and much more

Known Vulnerabilities Npm License

  • 💓 Automatic reconnecting
  • 📨 Extensive predictable logging
  • 💙 Typesafe
  • ☔ Covered with integration tests
  • 🔑 Use only essential permissions
  • 🚦 Explicit message acknowledgement

Getting started

npm install fuqu
import { PubSub } from '@google-cloud/pubsub'
import { FuQu } from 'fuqu'

const fuqu = FuQu(() => new PubSub())

fuqu.createPublisher('my-topic').publish({ json: { hello: 'kitty' } })
fuqu.createSubscriber('my-subscription', message => {
  console.log('got it!')
  message.ack()
})

Options

const fuQu = FuQu(() => new PubSub(), {
    // Log by hooking on various events
    logger: {
        nackMessage: (subscriptionName, message) => {
            console.log(`Message ${message.id} from ${subscriptionName} NACKed`)
        },
        // ...
    },
    // Reinitialize subscribers when "dry" (waiting) for 30 seconds
    reconnectAfterMillis: 30 * 1e3
    // When working exclusively with JSON data, recieve them parsed in logger events and handlers
    parseJson: true
    // Other Pub/Sub subscriber options
    batching: { maxMessages: 5 }
});
// override options for subscriber
const noReconnectingSubscriber = fuQu.createSubscriber('sub', m => m.ack(), { reconnectAfterMillis: 0 })

Features

Reconnecting (reconnectAfterMillis)

After few years of using Pub/Sub, we noticed that sometimes the existing subscriber "stops" receiving messages, even though they start piling up and there are no other consumers or no pending messages. Restarting process always helps. After failing to implement a reliable health check to automatically restart the pod, we implemented a more gentle solution and implement reconnecting after a given timeout ourselves.

  1. If there are no messages being processed by the subscriber (all received messages are ack-ed or nack-ed)
  2. And time elapsed from last processed message in milliseconds is greater than reconnectAfterMillis
  3. Then clear all listeners, reinitialize the PubSub instance, reapply registered handlers

Logger

Implement your own logger to log events in the format you need:

  • initializedPublisher
  • publishedMessage
  • initializedSubscriber
  • subscriberReconnected
  • receivedMessage
  • ackMessage
  • nackMessage
  • error

⚠️ Massive logs, confidential data alert Be mindful, that some hooks (e.g. ackMessage) are provided the original Pub/Sub message. When it is logged directly, it can result in extremely large output (JSON representation of Buffer) and credential info (link to initialized Pub/Sub subscriber). Only log explicit fields to avoid these issues. See the snippet.

// BAD
const dangerousCarelessLogger = {
  ackMessage: (subscriptionName, message) =>
    logger.info({ message, subscriptionName }, 'acked message'),
};

// GOOD
const politePersonLogger = {
  ackMessage: (subscriptionName, message) =>
    logger.info(
      {
        subscriptionName,
        id: message.id,
        length: message.length,
        entityId: message.jsonData.entityId,
      },
    'acked message'
    ),
};

Error handling

The original Pub/Sub subscriber is an event emitter, that can emit errors we need to handle to avoid unhandled rejected promises and unhandled errors, see original error handling.

Usually the errors are not even bound to a certain message (rather a batch or the connection in general), making the errors hard to react to logically, but practical to monitor. That's why it is included in the logger event.

⚠️ Failing to provide a handler will result in error being re-thrown in the error handler.

JSON parsing

When you are working with JSON messages, it might be convenient to access the structured JSON in logger events and handler. To avoid repeated parsing from buffer, use option parseJson. This will make FuQu parse the JSON for you and the output is available in message.jsonData.

When the option is disabled or parsing fails, the field will contain empty object {}.

Reason nack

Since nack often means that processing failed due to an error occurrence, having the ability to send the nack reason proves convenient for logging.

FuQu already needs to patch both ack and nack functions to implement tracking of processed messages for reconnecting. That is why we decided to alter nack function to include a reason. It is a required argument, but you can pass in null (usually, you would supply an error, message etc.). This reason now pops up as an argument in your logger.

Rude mode

If you want to have optimal FuQu experience, use imports from fuqu/dist/real.

Testing

For running tests, start the following containers 🐳

docker-compose up --build

License

This project is licensed under MIT.