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

@smilodon/vanilla

v1.4.10

Published

Vanilla JavaScript helpers for Smilodon Select - part of the Smilodon UI toolkit

Downloads

530

Readme

@smilodon/vanilla

Vanilla JavaScript/TypeScript helpers for Smilodon Select. Part of the Smilodon UI toolkit.

Features

  • Simple API - Easy-to-use helper functions for vanilla JS
  • 🔍 Zero Dependencies - Only requires @smilodon/core
  • Fully Accessible - WCAG 2.1 AAA compliant
  • Tiny Bundle - < 1KB gzipped
  • 🔧 TypeScript - Full type safety included
  • 📦 Tree-Shakeable - Import only what you need
  • 🎯 Web Standards - Built on native Web Components

Installation

npm install @smilodon/vanilla @smilodon/core

Quick Start

Using the Helper Function

import { createSelect } from '@smilodon/vanilla';

const select = createSelect({
  items: [
    { value: '1', label: 'Apple' },
    { value: '2', label: 'Banana' },
    { value: '3', label: 'Cherry' },
  ],
  placeholder: 'Select a fruit...',
  onChange: (value, items) => {
    console.log('Selected:', value, items);
  }
});

document.body.appendChild(select);

Using the Web Component Directly

<!DOCTYPE html>
<html>
<head>
  <script type="module">
    import '@smilodon/core';
    import { initSelect } from '@smilodon/vanilla';

    const select = document.querySelector('enhanced-select');
    
    initSelect(select, {
      items: [
        { value: 'js', label: 'JavaScript' },
        { value: 'ts', label: 'TypeScript' },
        { value: 'py', label: 'Python' },
      ],
      value: 'js'
    });
  </script>
</head>
<body>
  <enhanced-select placeholder="Select a language..."></enhanced-select>
</body>
</html>

Examples

Searchable Select

import { createSelect } from '@smilodon/vanilla';

const select = createSelect({
  items: [
    { value: 'us', label: 'United States' },
    { value: 'ca', label: 'Canada' },
    { value: 'mx', label: 'Mexico' },
  ],
  searchable: true,
  placeholder: 'Search countries...',
  onChange: (value) => console.log('Country:', value)
});

document.getElementById('app').appendChild(select);

Multi-Select

import { createSelect } from '@smilodon/vanilla';

const select = createSelect({
  items: [
    { value: 'js', label: 'JavaScript' },
    { value: 'ts', label: 'TypeScript' },
    { value: 'py', label: 'Python' },
  ],
  multiple: true,
  placeholder: 'Select languages...',
  onChange: (values) => {
    console.log('Selected languages:', values);
  }
});

document.getElementById('app').appendChild(select);

Grouped Options

import { createSelect } from '@smilodon/vanilla';

const select = createSelect({
  groupedItems: [
    {
      group: 'Fruits',
      items: [
        { value: 'apple', label: 'Apple' },
        { value: 'banana', label: 'Banana' },
      ],
    },
    {
      group: 'Vegetables',
      items: [
        { value: 'carrot', label: 'Carrot' },
        { value: 'potato', label: 'Potato' },
      ],
    },
  ],
  onChange: (value) => console.log('Food:', value)
});

document.getElementById('app').appendChild(select);

Infinite Scroll

import { createSelect, setItems } from '@smilodon/vanilla';

let items = generateItems(1, 50);
let page = 1;

const select = createSelect({
  items,
  infiniteScroll: true,
  pageSize: 50,
  placeholder: 'Scroll to load more...',
  onLoadMore: (pageNum) => {
    page++;
    const newItems = generateItems(page * 50 + 1, (page + 1) * 50);
    items = [...items, ...newItems];
    setItems(select, items);
  }
});

function generateItems(start, end) {
  return Array.from({ length: end - start + 1 }, (_, i) => ({
    value: start + i,
    label: `Item ${start + i}`,
  }));
}

document.getElementById('app').appendChild(select);

Virtual Scrolling (Large Datasets)

import { createSelect } from '@smilodon/vanilla';

// Generate 100,000 items
const items = Array.from({ length: 100000 }, (_, i) => ({
  value: i + 1,
  label: `Item ${i + 1}`,
}));

const select = createSelect({
  items,
  virtualized: true,
  searchable: true,
  placeholder: '100k items with virtual scrolling...'
});

document.getElementById('app').appendChild(select);

Server-Side Search

import { createSelect, setItems } from '@smilodon/vanilla';

const select = createSelect({
  searchable: true,
  placeholder: 'Type to search...',
  onSearch: async (query) => {
    if (!query) {
      setItems(select, []);
      return;
    }

    const response = await fetch(`/api/search?q=${query}`);
    const data = await response.json();
    setItems(select, data.results);
  }
});

document.getElementById('app').appendChild(select);

Programmatic Control

import { createSelect, getValue, setValue, clear, open, close } from '@smilodon/vanilla';

const select = createSelect({
  items: [
    { value: 'draft', label: 'Draft' },
    { value: 'published', label: 'Published' },
    { value: 'archived', label: 'Archived' },
  ]
});

// Add to DOM
document.getElementById('app').appendChild(select);

// Programmatic API
document.getElementById('btn-open').addEventListener('click', () => {
  open(select);
});

document.getElementById('btn-close').addEventListener('click', () => {
  close(select);
});

document.getElementById('btn-set').addEventListener('click', () => {
  setValue(select, 'published');
});

document.getElementById('btn-get').addEventListener('click', () => {
  console.log('Current value:', getValue(select));
});

document.getElementById('btn-clear').addEventListener('click', () => {
  clear(select);
});

Clear Control (Reset Selection/Search)

import { createSelect } from '@smilodon/vanilla';

const select = createSelect({
  items: [
    { value: 'js', label: 'JavaScript' },
    { value: 'py', label: 'Python' },
  ],
  searchable: true,
  clearable: true,
  clearSelectionOnClear: true,
  clearSearchOnClear: true,
  clearAriaLabel: 'Clear selected and searched values',
  clearIcon: '✕',
  onClear: (detail) => console.log('cleared', detail),
  style: {
    '--select-clear-button-bg': 'rgba(0, 0, 0, 0.06)',
    '--select-clear-button-hover-bg': 'rgba(0, 0, 0, 0.12)',
    '--select-clear-button-color': '#374151',
  } as any,
});

document.body.appendChild(select);

Styling hooks: ::part(clear-button), ::part(clear-icon), and --select-clear-* CSS variables.

With Event Listeners

import { createSelect } from '@smilodon/vanilla';

const select = createSelect({
  items: [...],
  onChange: (value, items) => {
    console.log('Value changed:', value);
    console.log('Selected items:', items);
  },
  onSelect: (item, index) => {
    console.log('Item selected:', item, 'at index:', index);
  },
  onOpen: () => {
    console.log('Dropdown opened');
  },
  onClose: () => {
    console.log('Dropdown closed');
  },
  onSearch: (query) => {
    console.log('Search query:', query);
  }
});

document.getElementById('app').appendChild(select);

Custom Styling

import { createSelect } from '@smilodon/vanilla';

const select = createSelect({
  items: [...],
  className: 'my-custom-select',
  style: {
    width: '300px',
    marginTop: '20px',
  }
});

document.getElementById('app').appendChild(select);
/* Custom CSS variables */
.my-custom-select {
  --select-border-color: #3b82f6;
  --select-focus-border-color: #1d4ed8;
  --select-background: #f9fafb;
  --select-text-color: #111827;
}

API Reference

createSelect(options)

Creates and returns a new select element.

Options:

| Option | Type | Default | Description | |--------|------|---------|-------------| | items | SelectItem[] | [] | Array of selectable items | | groupedItems | GroupedItem[] | undefined | Grouped items array | | value | string \| number \| Array | undefined | Initial value | | multiple | boolean | false | Enable multi-select | | searchable | boolean | false | Enable search/filter | | placeholder | string | '' | Placeholder text | | disabled | boolean | false | Disable the select | | required | boolean | false | Mark as required | | error | boolean | false | Show error state | | infiniteScroll | boolean | false | Enable infinite scroll | | pageSize | number | 50 | Items per page | | virtualized | boolean | true | Enable virtual scrolling | | maxSelections | number | undefined | Max selections | | placement | 'bottom' \| 'top' \| 'auto' | 'auto' | Dropdown placement | | className | string | '' | Custom CSS class | | style | CSSStyleDeclaration | {} | Inline styles | | onChange | (value, items) => void | undefined | Change callback | | onSelect | (item, index) => void | undefined | Select callback | | onOpen | () => void | undefined | Open callback | | onClose | () => void | undefined | Close callback | | onSearch | (query) => void | undefined | Search callback | | onLoadMore | (page) => void | undefined | Load more callback | | onCreate | (value) => void | undefined | Create callback |

Returns: HTMLElement

initSelect(element, options)

Initialize an existing select element in the DOM.

Parameters:

  • element: HTMLElement - The select element
  • options: { items?, groupedItems?, value? } - Initialization options

getValue(element)

Get the selected value(s).

Returns: string | number | (string | number)[]

setValue(element, value)

Set the selected value(s).

Parameters:

  • element: HTMLElement
  • value: string | number | (string | number)[]

clear(element)

Clear the selection.

open(element)

Open the dropdown.

close(element)

Close the dropdown.

setItems(element, items)

Update the items.

Parameters:

  • element: HTMLElement
  • items: SelectItem[]

setGroupedItems(element, groups)

Update the grouped items.

Parameters:

  • element: HTMLElement
  • groups: GroupedItem[]

Types

interface SelectItem {
  value: string | number;
  label: string;
  disabled?: boolean;
  group?: string;
  [key: string]: any;
}

interface GroupedItem {
  group: string;
  items: SelectItem[];
}

Styling

The component uses CSS variables for customization:

enhanced-select {
  --select-border-color: #d1d5db;
  --select-focus-border-color: #3b82f6;
  --select-background: white;
  --select-text-color: #1f2937;
  --select-placeholder-color: #9ca3af;
  --select-option-hover-background: #f3f4f6;
  --select-option-selected-background: #eff6ff;
  --select-border-radius: 0.375rem;
  --select-padding: 0.5rem 0.75rem;
}

Browser Support

  • Chrome/Edge 90+
  • Firefox 88+
  • Safari 14+
  • Opera 76+

License

MIT © Navid Rezadoost