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

react-flexible-tags

v1.0.1

Published

A flexible, lightweight React tags input component with keyboard support

Readme

React Flexible Tags

A lightweight, customizable, and feature-rich tag input component for React with TypeScript support.

Features

  • 🎨 Fully Customizable - Custom rendering for tags, input, and suggestions
  • ⌨️ Keyboard Navigation - Arrow keys, Enter, Escape, and Backspace support
  • 🔍 Async Suggestions - Built-in autocomplete with debouncing
  • Validation - RegExp or custom function validation
  • 🎯 Flexible Delimiters - Configure Enter, Tab, comma, semicolon, or custom keys
  • 📦 Zero Dependencies - Lightweight and performant
  • 🎭 TypeScript - Full TypeScript support with type definitions
  • Accessible - Keyboard-friendly and screen reader compatible

Installation

npm install react-flexible-tags
yarn add react-flexible-tags
pnpm add react-flexible-tags

Quick Start

import { useState } from "react";
import FlexibleTags from "react-flexible-tags";
import "react-flexible-tags/dist/react-flexible-tags.css";

function App() {
  const [tags, setTags] = useState([]);

  return (
    <FlexibleTags value={tags} onChange={setTags} placeholder="Add a tag..." />
  );
}

Props

| Prop | Type | Default | Description | | ------------------ | --------------------------------------------------------------- | ---------------------------- | ------------------------------- | | value | string[] | [] | Current tags array | | onChange | (tags: string[]) => void | - | Callback when tags change | | placeholder | string | "Add tag..." | Input placeholder text | | max | number | 20 | Maximum number of tags allowed | | delimiters | Array<string \| "Enter" \| "Tab"> | ["Enter", "Tab", ",", ";"] | Keys that trigger tag creation | | validate | RegExp \| (tag: string) => boolean | - | Validation for new tags | | renderTag | (tag: string, index: number, remove: () => void) => ReactNode | - | Custom tag renderer | | renderInput | See below | - | Custom input renderer | | asyncSuggestions | (query: string) => Promise<string[]> | - | Async function for autocomplete | | renderSuggestion | (suggestion: string, isActive: boolean) => ReactNode | - | Custom suggestion renderer |

Examples

Basic Usage

import { useState } from "react";
import FlexibleTags from "react-flexible-tags";

function BasicExample() {
  const [tags, setTags] = useState(["react", "typescript"]);

  return (
    <FlexibleTags
      value={tags}
      onChange={setTags}
      placeholder="Type and press Enter..."
      max={10}
    />
  );
}

Email Validation

const emailRegex = /^[^\s@]+@[^\s@]+\.[^\s@]+$/;

<FlexibleTags
  value={emails}
  onChange={setEmails}
  placeholder="Enter email addresses..."
  validate={emailRegex}
  delimiters={["Enter", "Tab", ",", " "]}
/>;

Custom Validation Function

<FlexibleTags
  value={tags}
  onChange={setTags}
  validate={(tag) => tag.length >= 3 && tag.length <= 20}
  placeholder="Tags must be 3-20 characters..."
/>

Async Autocomplete

async function fetchSuggestions(query) {
  const response = await fetch(`/api/tags?q=${query}`);
  const data = await response.json();
  return data.suggestions;
}

<FlexibleTags
  value={tags}
  onChange={setTags}
  asyncSuggestions={fetchSuggestions}
  placeholder="Start typing for suggestions..."
/>;

Custom Tag Rendering

<FlexibleTags
  value={tags}
  onChange={setTags}
  renderTag={(tag, index, remove) => (
    <div className="custom-tag">
      <span className="tag-icon">🏷️</span>
      <span>{tag}</span>
      <button onClick={remove} className="remove-btn">
        ✕
      </button>
    </div>
  )}
/>

Custom Input Rendering

<FlexibleTags
  value={tags}
  onChange={setTags}
  renderInput={({ value, onChange, onKeyDown, ref, placeholder }) => (
    <input
      ref={ref}
      value={value}
      onChange={(e) => onChange(e.target.value)}
      onKeyDown={onKeyDown}
      placeholder={placeholder}
      className="my-custom-input"
      style={{ fontSize: "16px", padding: "8px" }}
    />
  )}
/>

Custom Suggestion Rendering

<FlexibleTags
  value={tags}
  onChange={setTags}
  asyncSuggestions={fetchSuggestions}
  renderSuggestion={(suggestion, isActive) => (
    <div className={`suggestion ${isActive ? "highlighted" : ""}`}>
      <span className="suggestion-icon">🔍 </span>
      <span>{suggestion}</span>
    </div>
  )}
/>

Complete Example with All Features

import { useState } from "react";
import FlexibleTags from "react-flexible-tags";

function AdvancedExample() {
  const [skills, setSkills] = useState(["React", "TypeScript"]);

  const popularSkills = [
    "JavaScript",
    "TypeScript",
    "React",
    "Vue",
    "Angular",
    "Node.js",
    "Python",
    "Java",
    "C++",
    "Go",
    "Rust",
  ];

  const getSuggestions = async (query) => {
    // Simulate API call
    await new Promise((resolve) => setTimeout(resolve, 300));
    return popularSkills.filter((skill) =>
      skill.toLowerCase().includes(query.toLowerCase()),
    );
  };

  return (
    <div>
      <label htmlFor="skills-input">Your Skills</label>
      <FlexibleTags
        value={skills}
        onChange={setSkills}
        placeholder="Add your skills..."
        max={15}
        delimiters={["Enter", "Tab", ","]}
        validate={(tag) => tag.length >= 2 && /^[a-zA-Z0-9\s.#+]+$/.test(tag)}
        asyncSuggestions={getSuggestions}
        renderTag={(tag, index, remove) => (
          <span className="skill-tag">
            {tag}
            <button onClick={remove} aria-label={`Remove ${tag}`}>
              ×
            </button>
          </span>
        )}
      />
      <p className="tag-count">{skills.length} / 15 skills added</p>
    </div>
  );
}

Keyboard Shortcuts

| Key | Action | | --------------------------- | --------------------------------------- | | Enter / Tab / , / ; | Add current input as tag (configurable) | | Backspace | Remove last tag when input is empty | | Arrow Down | Navigate to next suggestion | | Arrow Up | Navigate to previous suggestion | | Enter | Select active suggestion | | Escape | Close suggestions dropdown |

Styling

The component comes with default styles. Import the CSS file:

import "react-flexible-tags/dist/react-flexible-tags.css";

Custom Styling

Override the default classes:

.flexible-tags__container {
  border: 2px solid #3b82f6;
  border-radius: 8px;
  padding: 8px;
}

.flexible-tags__tag {
  background: linear-gradient(135deg, #667eea 0%, #764ba2 100%);
  color: white;
  padding: 6px 12px;
  border-radius: 16px;
}

.flexible-tags__input {
  font-size: 16px;
  color: #1f2937;
}

.flexible-tags__suggestion {
  padding: 12px;
  font-weight: 500;
}

.flexible-tags__suggestion.active {
  background: #3b82f6;
  color: white;
}

TypeScript

The package includes full TypeScript definitions:

import FlexibleTags, { FlexibleTagsProps } from 'react-flexible-tags';

interface MyComponentProps {
  initialTags: string[];
}

const MyComponent: React.FC<MyComponentProps> = ({ initialTags }) => {
  const [tags, setTags] = useState<string[]>(initialTags);

  const handleChange = (newTags: string[]) => {
    setTags(newTags);
    // Do something with newTags
  };

  return <FlexibleTags value={tags} onChange={handleChange} />;
};

Common Use Cases

Email Input

<FlexibleTags
  validate={/^[^\s@]+@[^\s@]+\.[^\s@]+$/}
  placeholder="Enter email addresses..."
/>

Hashtags

<FlexibleTags
  validate={(tag) => tag.startsWith("#")}
  placeholder="Add hashtags (e.g., #react)..."
/>

Color Codes

<FlexibleTags
  validate={/^#([A-Fa-f0-9]{6}|[A-Fa-f0-9]{3})$/}
  placeholder="Enter hex colors (e.g., #FF5733)..."
/>

URLs

<FlexibleTags
  validate={(tag) => {
    try {
      new URL(tag);
      return true;
    } catch {
      return false;
    }
  }}
  placeholder="Add website URLs..."
/>

Browser Support

  • Chrome (latest)
  • Firefox (latest)
  • Safari (latest)
  • Edge (latest)

Contributing

Contributions are welcome! Please feel free to submit a Pull Request.

License

MIT © CoderBoy M J H Nahid

Links


Made with ❤️ by CoderBoy M J H Nahid