Socket
Socket
Sign inDemoInstall

react-native-dropdown-picker

Package Overview
Dependencies
40
Maintainers
1
Versions
100
Alerts
File Explorer

Advanced tools

Install Socket

Detect and block malicious and high-risk dependencies

Install

    react-native-dropdown-picker

A single / multiple, categorizable & searchable item picker (dropdown) component for react native which supports both Android & iOS.


Version published
Weekly downloads
78K
decreased by-10.25%
Maintainers
1
Install size
5.27 MB
Created
Weekly downloads
 

Readme

Source

React native dropdown picker v4

A single / multiple, categorizable & searchable item picker (dropdown) component for react native which supports both Android & iOS.

Screenshots

Screenshot Screenshot

Table of contents

Dependencies

Make sure react-native-vector-icons is installed.
https://github.com/oblador/react-native-vector-icons

Changelog

  • @petkovv submitted PR #228 [March 20, 2021]
  • Added noTopRadius. [March 17, 2021]
  • Added noBottomRadius. [March 17, 2021]
  • @antoinebrtd submitted PR #218 [March 09, 2021]
  • @Maclay74 submitted PR #216 [Februrary 26, 2021]
  • Added childrenContainerStyle. [Februrary 13, 2021]
  • Added textStyle viewStyle & untouchable props to items. [Februrary 13, 2021]
  • Added category support. [Februrary 13, 2021]
  • Added globalTextStyle. [February 11, 2021]
  • Added onSearch. [January 27, 2021]
  • Added labelProps. [January 06, 2021]
  • Some bug-fixes. [January 06, 2021]
  • Added containerProps. [December 21, 2020]

Getting Started

Installation

via NPM
npm install react-native-dropdown-picker --save
via Yarn
yarn add react-native-dropdown-picker

Basic Usage

The first step is to import the package.

import DropDownPicker from 'react-native-dropdown-picker';
Single Item

Select a single item.

import Icon from 'react-native-vector-icons/Feather';

this.state = {
    country: 'uk'
}

<DropDownPicker
    items={[
        {label: 'USA', value: 'usa', icon: () => <Icon name="flag" size={18} color="#900" />, hidden: true},
        {label: 'UK', value: 'uk', icon: () => <Icon name="flag" size={18} color="#900" />},
        {label: 'France', value: 'france', icon: () => <Icon name="flag" size={18} color="#900" />},
    ]}
    defaultValue={this.state.country}
    containerStyle={{height: 40}}
    style={{backgroundColor: '#fafafa'}}
    itemStyle={{
        justifyContent: 'flex-start'
    }}
    dropDownStyle={{backgroundColor: '#fafafa'}}
    onChangeItem={item => this.setState({
        country: item.value
    })}
/>
Multiple Items

Select multiple items.

import Icon from 'react-native-vector-icons/Feather';

this.state = {
    selectedCountriesValues: ['uk'],
    selectedCountries: [{label: 'UK', value: 'uk', icon: () => <Icon name="flag" size={18} color="#900"/> }]
}

<DropDownPicker
    items={[
        {label: 'UK', value: 'uk', icon: () => <Icon name="flag" size={18} color="#900" />},
        {label: 'France', value: 'france', icon: () => <Icon name="flag" size={18} color="#900" />},
    ]}

    multiple={true}
    multipleText="%d items have been selected."
    min={0}
    max={10}

    defaultValue={this.state.countries}
    containerStyle={{height: 40}}
    itemStyle={{
        justifyContent: 'flex-start'
    }}
    onChangeItem={item => this.setState({
        selectedCountriesValues: item // an array of the selected items values
    })}
    onChangeItemMultiple={item => this.setState({
        selectedCountries: item // an array of the selected items
    })}
/>

Available Item Properties

Here's the type definition of an item.

type ItemType = {
    label: any; // required
    value: any; // required
    icon?: () => JSX.Element;
    hidden?: boolean;
    untouchable?: boolean;
    parent?: any;
    disabled?: boolean;
    selected?: boolean;
    viewStyle?: StyleProp<ViewStyle>,
    textStyle?: StyleProp<TextStyle>,
};

Category Support

As of v4.x, You can simply categorize your items.

<DropDownPicker
    items={[
        {label: 'North America', value: 'na', untouchable: true}, // North America
        {label: 'United States', value: 'us', parent: 'na'},
        {label: 'Canada', value: 'canada', parent: 'na'},
        {label: 'Mexico', value: 'mexico', parent: 'na'},

        {label: 'Europe', value: 'eu', untouchable: true}, // Europe
        {label: 'UK', value: 'uk', parent: 'eu'},
        {label: 'Germany', value: 'germany', parent: 'eu'},
        {label: 'Russia', value: 'russia', parent: 'eu'},
    ]}
    
    ...
/>

The parent property must be equal to the value property of the parent item.
The untouchable property makes the item untouchable.

Searchable Items

Search for specific items.

searchable={true}
searchablePlaceholder="Search for an item"
searchablePlaceholderTextColor="gray"
seachableStyle={{}}
searchableError={() => <Text>Not Found</Text>}
onSearch={text => {
    // Example
    if (this._API.isFetching())
        this._API.abort();

    this._API = this.fetchFromServer(text, (items) => {
        // See controller: https://github.com/hossein-zare/react-native-dropdown-picker#controller
        this.controller.resetItems(items); // Maybe a new method will be introduced for a better UX!
    });
}}

Default Item

You may want to select one of the items as default.

Use one of the following options:

  1. Add selected: true to the object. (This method is not state-friendly!)

    items={[
        {label: 'Item 1', value: 'item1'},
        {label: 'Item 2', value: 'item2', selected: true},
    ]}
    
  2. The defaultValue property.

    defaultValue = 'uk'; // Single
    defaultValue = ['uk']; // Multiple
    

Placeholder

You may want to have a placeholder while the default value is null or an empty array.

Add the following properties to the component.

this.state = {
    data: null, // Single
    data: [] // Multiple
}

...
defaultValue={this.state.data}
placeholder="Select an item"
...

Controller

The controller property gives you full access to the DropDownPicker methods and properties.

Class Components
constructor(props) {
    this.state = {
        value: null,
        items: []
    }

    this.controller;
}

<DropDownPicker
    items={this.state.items}
    controller={instance => this.controller = instance}
    onChangeList={(items, callback) => {
        this.setState({
            items // items: items
        }, callback);
    }}

    defaultValue={this.state.value}
    onChangeItem={item => this.setState({
        value: item.value
    })}
/>
Functional Components
const [value, setValue] = useState(null);
const [items, setItems] = useState([ {...}, ... ]);

const controller = useRef(null);

<DropDownPicker
    items={items}
    controller={instance => controller.current = instance}
    onChangeList={(items, callback) => {
        Promise.resolve(setItems(items))
            .then(() => callback());
    }}

    defaultValue={value}
    onChangeItem={item => setValue(item.value)}
/>

in Class components you can call methods using this.controller.METHOD_NAME() and controller.current.METHOD_NAME() in Functional components.

  1. Reset the state.

    You may want to reset the state of your picker.

    this.controller.reset();
    
  2. Reset items.

    The second argument is your default value. (Optional)

    this.controller.resetItems([{}, {}, ...]);
    
    this.controller.resetItems([{}, {}, ...], 'uk'); // Single
    this.controller.resetItems([{}, {}, ...], ['uk', ...]); // Multiple
    
  3. Select an item manually.

    You may want to select an item manually.

    // Single
    this.controller.selectItem('uk');
    
    // Multiple
    this.controller.selectItem(['uk', 'france']);
    
  4. Add items manually.

    There are two methods to help you add items manually.

    this.controller.addItem({
      label: 'UK',
      value: 'uk',
      icon: () => {},
    });
    this.controller.addItems([
      {
        label: 'UK',
        value: 'uk',
        icon: () => {},
      },
    ]);
    
  5. Remove items

    this.controller.removeItem('uk', {
      changeDefaultValue: true, // Unselect if the removed item is the selected item
    });
    
  6. Check if the dropdown is open

    this.controller.isOpen(); // boolean
    
  7. Open, close or toggle.

    this.controller.open();
    this.controller.close();
    this.controller.toggle();
    

Styling The Component

There are 14 props to style the component.

  1. The style property.

    Use this to adjust the inner part of the picker.

    style={{paddingVertical: 10}}
    
  2. The dropDownStyle property.

    Additional styles for the dropdown box.

    dropDownStyle={{backgroundColor: '#fafafa'}}
    
  3. The containerStyle property.

    Use this to adjust the outer part of the picker such as margin, width, height, flex, ...

    containerStyle={{width: 150, height: 70}}
    
  4. The itemStyle property.

    If you want the labels on the left and right side or to centerize them:

    itemStyle={{justifyContent: 'flex-start|flex-end|center'}}
    
  5. The labelStyle property.

    This property gives full control over the label.

    labelStyle={{
        fontSize: 14,
        textAlign: 'left',
        color: '#000'
    }}
    
  6. The selectedLabelStyle property.

    Changes the style of the selected item label.

    selectedLabelStyle={{
        color: '#39739d'
    }}
    
  7. The placeholderStyle property.

    Style the placeholder text with this property.

    placeholderStyle={{
        fontWeight: 'bold',
        textAlign: 'center'
    }}
    
  8. The activeItemStyle property.

    This property allows you to style the active item.

    activeItemStyle={{justifyContent: 'center'}}
    
  9. The activeLabelStyle property.

    This property allows you to style the active label.

    activeLabelStyle={{color: 'red'}}
    
  10. The arrowStyle property.

    Adds your additional styles to the View element of the arrow.

    arrowStyle={{marginRight: 10}}
    
  11. The searchableStyle property.

    Additional styles for the TextInput

    searchableStyle={{backgroundColor: '#dfdfdf'}}
    
  12. The searchablePlaceholderTextColor property.

    Assigns a new color to the placeholder text.

    searchablePlaceholderTextColor="silver"
    
  13. The globalTextStyle property.

    You can style <Text /> elements globally.

    globalTextStyle={{
        fontFamily: "MyFontName",
        fontSize: 15
    }}
    
  14. The childrenContainerStyle property.

    Style the children container View (See Category Support)

    childrenContainerStyle={{
        paddingLeft: 30
    }}
    

RTL Support

  1. The selected item

    RTL Support

    style={{
        flexDirection: 'row-reverse',
    }}
    labelStyle={{
        textAlign: 'right',
    }}
    
  2. The dropdown items

    RTL Support

    itemStyle={{
        flexDirection: 'row-reverse',
        justifyContent: 'flex-start',
    }}
    

FAQ

How to close other pickers when opening another picker?
this.state = {
    isVisibleA: false,
    isVisibleB: false,

    ...
}

changeVisibility(state) {
    this.setState({
        isVisibleA: false,
        isVisibleB: false,
        ...state
    });
}

// Picker A
<DropDownPicker
    isVisible={this.state.isVisibleA}
    onOpen={() => this.changeVisibility({
        isVisibleA: true
    })}
    onClose={() => this.setState({
        isVisibleA: false
    })}

    ...
/>

// Picker B
<DropDownPicker
    isVisible={this.state.isVisibleB}
    onOpen={() => this.changeVisibility({
        isVisibleB: true
    })}
    onClose={() => this.setState({
        isVisibleB: false
    })}

    ...
/>
borderRadius

Avoid using borderRadius and all the corners must be set separately.

style={{
    borderTopLeftRadius: 10, borderTopRightRadius: 10,
    borderBottomLeftRadius: 10, borderBottomRightRadius: 10
}}
dropDownStyle={{
    borderBottomLeftRadius: 20, borderBottomRightRadius: 20
}}
zIndex conflicts (Untouchable Items, Overlapping pickers)
  1. Using the containerStyle property to style the picker results in unexpected behaviors like untouchable items.

    The style and dropDownStyle properties must be used instead.
    Use the containerStyle prop to adjust the outer part of the picker such as margin, width, height, flex, ...

  2. Nested Views

    You have to add zIndex to the nested views which contain the picker.
    Note! zIndex locks the picker on Android, The solution is to use the Platform.OS

    import { Platform } from 'react-native';
    
    <View
        style={{
            ...(Platform.OS !== 'android' && {
                zIndex: 10
            })
        }}
    >
        <DropDownPicker ... />
    </View>
    

    Demo: https://snack.expo.io/@hossein-zare/823437

  3. DropDownPicker wrapped with <View style={{backgroundColor: ..., border[...]: ..., elevation: ...}}>
    These props will make your dropdown untouchable.
    Remove all the backgroundColor, border[...], elevation, ... style properties from the parent element.
    https://github.com/hossein-zare/react-native-dropdown-picker/issues/40#issuecomment-651744446

  4. Multiple Pickers
    The zIndexInverse prop must be greater than the first zIndex which is 5000

    <DropDownPicker zIndex={5000} zIndexInverse={6000} />
    <DropDownPicker zIndex={4000} zIndexInverse={6000} />
    <DropDownPicker zIndex={3000} zIndexInverse={6000} />
    
Dropdown Overflow

Adding borders to the component separates elements or may overflow. To solve this issue add marginTop to the dropDownStyle and specify the value which fits your UI well.

dropDownStyle={{marginTop: 2}}

Props

NameDescriptionTypeDefaultRequired
itemsThe items for the component.arrayYes
defaultValueThe value of the default item. (If multiple={true}, it takes an array of pre-selected values: ['uk'])anyYes
placeholderDefault text to be shown to the user when defaultValue={null} or defaultValue={[]}string'Select an item'No
dropDownMaxHeightHeight of the dropdown box.number150No
styleAdditional styles for the picker.object{}No
globalTextStyleGlobal text style.object{}No
dropDownStyleAdditional styles for the dropdown box.object{}No
containerStyleAdditional styles for the container view.object{}No
itemStyleAdditional styles for the items.object{}No
labelStyleAdditional styles for the labels.object{}No
selectedLabelStyleAdditional styles for the selected label.object{}No
placeholderStyleAdditional styles for the placeholder text.object{}No
activeItemStyleAdditional styles for the active item.object{}No
activeLabelStyleAdditional styles for the active label.object{}No
arrowStyleAdditional styles for the arrow.object{}No
arrowColorThe color of arrow iconsstring#000No
arrowSizeThe size of the arrow.number15No
showArrowAn option to show/hide the arrow.booltrueNo
customArrowUpCustomize the arrow-up.func(size, color) => ...No
customArrowDownCustomize the arrow-down.func(size, color) => ...No
customTickIconCustomize the tick icon for multiple item picker.func() => ...No
zIndexThis property specifies the stack order of the component.number5000No
zIndexInverseAdds a different zIndex to the dropdown box when showing it above the picker.number5000No
disabledDisables the component.boolfalseNo
isVisibleOpen or close the dropdown box.boolfalseNo
autoScrollToDefaultValueIf true, automatically scroll to defaultValue/first defaultValue (multiple) during first render of dropdownboolfalseNo
multipleIf set to true selecting multiple items is possible.boolfalseNo
multipleTexta Text to inform the user how many items have been selected.string%d items have been selectedNo
minMinimum number of items.number0No
maxMaximum number of items.number10000000No
searchableShows a TextInput to search for specific items.boolfalseNo
searchablePlaceholderDefault text to be shown to the user.stringSearch for an itemNo
searchablePlaceholderTextColorTextInput placeholder text color.stringgrayNo
searchableStyleAdditional styles for the TextInputobject{}No
searchableErrorShows a jsx element when nothing found.func() => <Text>Not Found</Text>No
onSearchFires when you type something in the TextInput.func(text) => {}No
selectedLabelLengthSpecify length for the selected label.number1000No
labelLengthSpecify length for the labels.number1000No
labelPropsAdd props to the labels.object{}No
scrollViewPropsAdd props to the ScrollViewobject{}No
searchTextInputPropsAdd props to the search TextInputobject{}No
offsetBottomExtra space on the bottom of the screen which is not possible to show dropdown on (bottom bar)number0No
containerPropsAdd props to the container view.object{}No
renderSeperatorSeparate items.funcundefinedNo
controllerGives you access to the methods and properties.func(instance) => {}No
onOpenFires when you open the picker.func() => {}No
onCloseFires when you close the picker.func() => {}No
onChangeItemCallback which returns item and index. The item is the selected object or an array of the selected values.func(item, index) => {}No
onChangeItemMultipleCallback which returns item. The item is an array of the selected objects. Only when multiple={true}.func(item, index) => {}No
onChangeListChanges the list of items.func(items, callback) => {}No
noTopRadiusRemoves the top radius when the picker is open.booleantrueNo
noBottomRadiusRemoves the bottom radius when the picker is open.booleantrueNo

Keywords

FAQs

Last updated on 14 Apr 2021

Did you know?

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

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc