Huge News!Announcing our $40M Series B led by Abstract Ventures.Learn More
Socket
Sign inDemoInstall
Socket

react-functional-select

Package Overview
Dependencies
Maintainers
1
Versions
100
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

react-functional-select

Miro-sized and micro-optimized select component for React.js

  • 1.2.4
  • Source
  • npm
  • Socket score

Version published
Weekly downloads
912
decreased by-5.49%
Maintainers
1
Weekly downloads
 
Created
Source

react-functional-select

Micro-sized & micro-optimized select component for React.js.

Latest Stable Version Travis NPM license Downloads

Overview

Key features:

  • Fully-featured, yet "lightweight" package - only (gzipped) 7.85 KB!
  • Extensible styling API with styled-components
  • Opt-in properties to make the component fully accessible
  • Effortlessly scroll, filter, and key through datasets numbering in the tens of thousands via react-window + performance conscious code

Essentially, this is a focused subset of react-select's API that is engineered for ultimate performance and minimal bundle size. It is built entirely using React Hooks and FunctionComponents. In addition, most of the code I was able to roll myself, so there are minimal peer dependencies to worry about. The peer dependencies for this package are:

  • react-window leveraged for integrated data virtualization/windowing (easily handles data-sets numbering in the tens of thousands with minimal-to-no impact on normally resource-intensive actions like keying and searching).
  • styled-components to handle dynamic, extensible styling via CSS-in-JS (there is also the option to generate className attributes for legacy stylesheets as a fall-back option).

Installation

# npm
npm i react-window styled-components react-functional-select

# Yarn
yarn add react-window styled-components react-functional-select

Usage

You can find a similar example, along with others, in the storybook:
import { Select } from 'react-functional-select';
import React, { useState, useEffect, useCallback } from 'react';
import { Card, CardHeader, CardBody, Container, SelectContainer } from './helpers/styled';

type CityOption = {
  readonly id: number;
  readonly city: string;
  readonly state: string;
};

const CITY_OPTIONS: CityOption[] = [
  { id: 1, city: 'Austin', state: 'TX' },
  { id: 2, city: 'Denver', state: 'CO' },
  { id: 3, city: 'Chicago', state: 'IL' },
  { id: 4, city: 'Phoenix', state: 'AZ' },
  { id: 5, city: 'Houston', state: 'TX' },
];

const SingleSelectDemo: React.FC = () => {
  const [isInvalid, setIsInvalid] = useState<boolean>(false);
  const [isDisabled, setIsDisabled] = useState<boolean>(false);
  const [isClearable, setIsClearable] = useState<boolean>(true);
  const [selectedOption, setSelectedOption] = useState<CityOption | null>(null);
  
  const getOptionValue = useCallback((option: CityOption): number => option.id, []);
  const onOptionChange = useCallback((option: CityOption | null): void => setSelectedOption(option), []);
  const getOptionLabel = useCallback((option: CityOption): string => `${option.city}, ${option.state}`, []);

  useEffect(() => {
    isDisabled && setIsInvalid(false);
  }, [isDisabled]);

  return (
    <Container>
      <Card>
        <CardHeader>
          {`Selected Option: ${JSON.stringify(selectedOption || {})}`}
        </CardHeader>
        <CardBody>
          <SelectContainer>
            <Select
              isInvalid={isInvalid}
              options={CITY_OPTIONS}
              isDisabled={isDisabled}
              isClearable={isClearable}
              onOptionChange={onOptionChange}
              getOptionValue={getOptionValue}
              getOptionLabel={getOptionLabel}
            />
          </SelectContainer>
        </CardBody>
      </Card>
    </Container>
  );
};

Properties

All properties are technically optional (with a few having default values). Very similar with react-select API.

PropertyTypeDefaultDescription
inputIdstringundefinedThe id of the autosize search input
selectIdstringundefinedThe id of the parent div
ariaLabelstringundefinedAria label (for assistive tech)
isMultiboolfalseDoes the control allow for multiple selections (defaults to single-value mode)
autoFocusboolfalseFocus the control following initial mount of component
isLoadingboolfalseIs the select in a state of loading - shows loading dots animation
isInvalidboolfalseIs the current value invalid - control recieves invalid styling
inputDelaynumberundefinedThe debounce delay in for the input search (milliseconds)
isDisabledboolfalseIs the select control disabled - recieves disabled styling
placeholderstringSelect option..Placeholder text for the select value
menuWidthReact.ReactText100%Width of the menu
menuItemSizenumber35The height of each option in the menu (px)
isClearableboolfalseIs the select value clearable
noOptionsMsgstringNo optionsThe text displayed in the menu when there are no options available
clearIconReact.ReactNodeundefinedCustom clear icon node
caretIconReact.ReactNodeundefinedCustom caret icon node
loadingNodeReact.ReactNodeundefinedCustom loading node
optionsarray[]The menu options
isSearchablebooltrueWhether to enable search functionality or not
hideSelectedOptionsboolfalseHide the selected option from the menu (if undefined and isMulti = true, then defaults to true)
openMenuOnClickbooltrueIf true, the menu can be toggled by clicking anywhere on the select control; if false, the menu can only be toggled by clicking the 'caret' icon on the far right of the control
menuMaxHeightnumber300Max height of the menu element - this effects how many options react-window will render.
menuScrollDurationnumber300Duration of scroll menu into view animation
addClassNamesboolfalseShould static classNames be generated for container elements (enable if styling using CSS stylesheets)
ariaLabelledBystringundefinedHTML ID of an element that should be used as the label (for assistive tech)
openMenuOnFocusboolfalseOpen the menu when the select control recieves focus
initialValueanyundefinedInitial select value
menuOverscanCountnumber1correlates to react-window property overscanCount: The number of items (options) to render outside of the visible area. Increasing the number can impact performance, but is useful if the option label is complex and the renderOptionLabel prop is defined
tabSelectsOptionbooltrueSelect the currently focused option when the user presses tab
blurInputOnSelectbooltrue IF device is touch-enabled ELSE falseRemove focus from the input when the user selects an option (useful for dismissing the keyboard on touch devices)
closeMenuOnSelectbooltrueClose the select menu when the user selects an option
isAriaLiveEnabledboolfalseEnables visually hidden div that reports stateful information (for assistive tech)
scrollMenuIntoViewbooltruePerforms animated scroll to show menu in view when menu is opened (if there is room to do so)
backspaceClearsValuebooltrueRemove the currently focused option when the user presses backspace
filterMatchFrom'any' OR 'start''any'Position in stringified option to match search input
filterIgnoreCasebooltrueSearch input ignores case of characters when comparing
filterIgnoreAccentsboolfalseSearch input will strip diacritics from string before comparing
onMenuOpen(...args: any[]) => voidundefinedCallback function executed after the menu is opened
onMenuClose(...args: any[]) => voidundefinedCallback function executed after the menu is closed
onOptionChange(data: any) => voidundefinedCallback function executed after a new option is selected
onKeyDownReact.KeyboardEventHandler<HTMLDivElement>undefinedCallback function executed onKeyDown event
getOptionLabel(data: any) => React.ReactTextundefinedResolves option data to React.ReactText to be displayed as the label by components (by default will use option.label)
getOptionValue(data: any) => React.ReactTextundefinedResolves option data to React.ReactText to compare option values (by default will use option.value)
onInputBlurReact.FocusEventHandler<HTMLInputElement>undefinedHandle blur events on the search input
onInputFocusReact.FocusEventHandler<HTMLInputElement>undefinedHandle focus events on the search input
renderOptionLabel(data: any) => React.ReactNodeundefinedFormats option labels in the menu and control as JSX.Elements or React Components (by default will use getOptionLabel)
getIsOptionDisabled(data: any) => booleanundefinedWhen defined will evaluate each option to determine whether it is disabled or not (if not specified, each option will be evaluated as to whether or not it contains a property of isDisabled with a value of true)
getFilterOptionString(option: any) => stringundefinedWhen defined will take each option and generate a string used in the filtering process (by default, will use option.label)
themeConfigPartial<DefaultTheme>undefinedObject that takes specified property key-value pairs and merges them into the theme object

Inspiration

This project was inspired by react-select.

License

MIT licensed. Copyright (c) Matt Areddia 2019.

Keywords

FAQs

Package last updated on 22 Dec 2019

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts

SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap
  • Changelog

Packages

npm

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc