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 🙏

© 2025 – Pkg Stats / Ryan Hefner

@xcore24/observer

v1.0.4

Published

TypeScript library implementing the Observer pattern

Downloads

1

Readme

observer

observer is TypeScript library implementing the Observer pattern.

Installation

To start using observer install the npm package:

npm i @xcore24/observer

Basic Usage

import { ObservableSubject, Observer } from '@xcore24/observer'

// Определим кастомный тип для уведомлений
type Context = {
    oldPrice: number
    newPrice: number
}

// Создадим базовый класс для работы с супермаркетами
// Будем наблюдать за некоторыми из них
class SuperMarket extends ObservableSubject<Context> {
    private _price: number  = 240

    set price (newPrice: number) {
        const oldPrice = this._price
        this._price = newPrice
        const context: Context = {
            oldPrice,
            newPrice
        }

        // Уведомляем подписчиков об изменении некоторого состояния
        this.notifyChange(context)
    }

    get price () {
        return this._price
    }

}

// Создадим базового наблюдателя за стоимостью товаров
class ChangePricesObserver extends Observer<Context> {
    // Реализуем метод который будет вызываться у наблюдателя каждый раз, когда изменяется стоимость
    // Каждый наблюдатель может по-своему реагировать на данное изменение
    change(context: Context): void {
        const {oldPrice, newPrice} = context
        // Для тестирования возьмем первый из коллекции наблюдаемый субъект
        // В реальной жизни его можно передавать через context
        const subjectName = this.observableSubjects[0].name
        console.log([`Налюдатель "${this.name}" заметил, что в магазине "${subjectName}" изменилась стоимость на товар X. Старая цена "${oldPrice}". Новая цена: "${newPrice}"`])
    }
}

// Создаем объект супермакета МАГНИТ за которым хотим наблюдать
// Обычно в нем изменяются цены на продукты и нас об этом не уведомляют (даже на кассе) :(
// Но мы, пожалуй, исправим сейчас это ;)
const magnit = new SuperMarket('МАГНИТ')

// Поставим наблюдателей в этот магаз -- пусть смотрят и нас уведомляют вовремя
const observer1 = new ChangePricesObserver('Иван')
const observer2 = new ChangePricesObserver('Алексей')
const observer3 = new ChangePricesObserver('Антон')

// Добавляем наблюдателей в наблюдаемый объект
magnit
    .attach(observer1)
    .attach(observer2)
    .attach(observer3)

// Установим новую стоимость
magnit.price = 390