DEV Community

Aman Mittal
Aman Mittal

Posted on • Originally published at amanhimself.dev

Create a custom hook to Show/Hide Password Visibility in React Native

Building login and signup forms in a React Native app comprise input fields and buttons. One field that you will often find yourself adding to these forms is the password field. This password field is composed of using React Native's TextInput component.

The common behavior of this field is to hide a user's password behind obscure characters.

Take a look at an example of the TextInput component that is used to create a password field.

import React, { useState } from 'react';
import { StyleSheet, TextInput, View } from 'react-native';

export default function App() {
  const [password, setPassword] = useState('');

  return (
    <View style={styles.container}>
      <View style={styles.inputContainer}>
        <TextInput
          style={styles.inputField}
          name='password'
          placeholder='Enter password'
          autoCapitalize='none'
          autoCorrect={false}
          textContentType='newPassword'
          secureTextEntry
          value={password}
          enablesReturnKeyAutomatically
          onChangeText={text => setPassword(text)}
        />
      </View>
    </View>
  );
}

const styles = StyleSheet.create({
  container: {
    flex: 1,
    backgroundColor: '#F5EEDC',
    alignItems: 'center',
    justifyContent: 'center',
    paddingHorizontal: 12
  },
  inputContainer: {
    backgroundColor: 'white',
    width: '100%',
    borderRadius: 8,
    flexDirection: 'row',
    alignItems: 'center',
    borderWidth: 4,
    borderColor: '#d7d7d7'
  },
  inputField: {
     padding: 14,
    fontSize: 22,
    width: '90%'
  }
  }
});
Enter fullscreen mode Exit fullscreen mode

It uses the secureTextEntry prop such that when a text value is entered in the input field, it is unclear what is being entered in that field.

Here is the output of the above snippet on a device:

ss1

However, giving an option to a user to let them see the current value they enter could lead to a good experience and might be necessary in some cases.

Show or Hide Password Visibility Hook

To add the ability to show or hide the password field's visibility, let's create a custom hook in a new file called useTogglePasswordVisibility.js.js.

Start by importing the useState hook from React library. You will need to create two different state variables to toggle between the field's visibility and change the icon.

Then define a function called useTogglePasswordVisibility. Inside this function, create two new state variables. The first one is called passwordVisibility. Its initial value is set to boolean true. The reason is that this variable will be the value of the prop secureTextEntry on the TextInput component. You would want to hide the password field initially when the user enters the password in the input field.

The second state variable defined is called rightIcon. It has a default value of eye. This value depends on the Icon Library you're using in your React Native app. For this example, I'm using MaterialCommunityIcons from Expo Vector Icons.

export const useTogglePasswordVisibility = () => {
  const [passwordVisibility, setPasswordVisibility] = useState(true);
  const [rightIcon, setRightIcon] = useState('eye');

  // ...
};
Enter fullscreen mode Exit fullscreen mode

Next, add a method called handlePasswordVisibility that will allow the app user to toggle the password field's visibility between shown and hidden state.

Lastly, do not forget to return all the variables and the handler method.

export const useTogglePasswordVisibility = () => {
  const [passwordVisibility, setPasswordVisibility] = useState(true);
  const [rightIcon, setRightIcon] = useState('eye');

  const handlePasswordVisibility = () => {
    if (rightIcon === 'eye') {
      setRightIcon('eye-off');
      setPasswordVisibility(!passwordVisibility);
    } else if (rightIcon === 'eye-off') {
      setRightIcon('eye');
      setPasswordVisibility(!passwordVisibility);
    }
  };

  return {
    passwordVisibility,
    rightIcon,
    handlePasswordVisibility
  };
};
Enter fullscreen mode Exit fullscreen mode

Use the Password Visibility Hook

Start by updating import statements in the App.js file:

import React, { useState } from 'react';
import { StyleSheet, Pressable, TextInput, View } from 'react-native';
import { MaterialCommunityIcons } from '@expo/vector-icons';

import { useTogglePasswordVisibility } from './hooks/useTogglePasswordVisibility';
Enter fullscreen mode Exit fullscreen mode

Next, access the required variables and method from the useTogglePasswordVisibility hook. Add the following line at the top of the App component:

export default function App() {
  const { passwordVisibility, rightIcon, handlePasswordVisibility } =
    useTogglePasswordVisibility();
  const [password, setPassword] = useState('');

  // ...
}
Enter fullscreen mode Exit fullscreen mode

Modify the TextInput component's prop. Make sure to add the passwordVisibility as the value to the secureTextEntry prop.

<TextInput
  secureTextEntry={passwordVisibility}
  // ... rest of the props remain unchanged
/>
Enter fullscreen mode Exit fullscreen mode

Inside the View component that wraps the TextInput, add a button using the Pressable component. This button will allow the user to toggle between the hidden and shown state of the password field.

This button wraps the icon component.

<View style={styles.inputContainer}>
  {/* After TextInput component */}
  <Pressable onPress={handlePasswordVisibility}>
    <MaterialCommunityIcons name={rightIcon} size={22} color="#232323" />
  </Pressable>
</View>
Enter fullscreen mode Exit fullscreen mode

That's all! Here is the output after this step:

ss2

Here is the complete code for the App.js file:

import React, { useState } from 'react';
import { StyleSheet, Pressable, TextInput, View } from 'react-native';
import { MaterialCommunityIcons } from '@expo/vector-icons';

import { useTogglePasswordVisibility } from './hooks/useTogglePasswordVisibility';

export default function App() {
  const { passwordVisibility, rightIcon, handlePasswordVisibility } =
    useTogglePasswordVisibility();
  const [password, setPassword] = useState('');

  return (
    <View style={styles.container}>
      <View style={styles.inputContainer}>
        <TextInput
          style={styles.inputField}
          name="password"
          placeholder="Enter password"
          autoCapitalize="none"
          autoCorrect={false}
          textContentType="newPassword"
          secureTextEntry={passwordVisibility}
          value={password}
          enablesReturnKeyAutomatically
          onChangeText={text => setPassword(text)}
        />
        <Pressable onPress={handlePasswordVisibility}>
          <MaterialCommunityIcons name={rightIcon} size={22} color="#232323" />
        </Pressable>
      </View>
    </View>
  );
}

const styles = StyleSheet.create({
  container: {
    flex: 1,
    backgroundColor: '#F5EEDC',
    alignItems: 'center',
    justifyContent: 'center',
    paddingHorizontal: 12
  },
  inputContainer: {
    backgroundColor: 'white',
    width: '100%',
    borderRadius: 8,
    flexDirection: 'row',
    alignItems: 'center',
    borderWidth: 4,
    borderColor: '#d7d7d7'
  },
  inputField: {
    padding: 14,
    fontSize: 22,
    width: '90%'
  }
});
Enter fullscreen mode Exit fullscreen mode

Top comments (1)

Collapse
 
thebox193 profile image
Sir.Nathan (Jonathan Stassen)

Nice custom hook!

Some comments have been hidden by the post's author - find out more