PrefacePassword strength file verifier; When registering an account, we need to evaluate the user's current password strength. For this process, we need to make a detector. It is best to write it flexibly so that it is convenient for the product to modify the rules. Let’s take a look at the effect first~~ Below is the status corresponding to the screenshot use1 Parameter passing
2 Use
3 Verification Check if the character Implementation Example Let's configure antd to bind a prompter to the password input box. 1 and 2 do not need to be changed, but in practice we need to monitor the value of the input and then set the value. So we can define a function that monitors the modification of value const [inputValue, setInputValue] = useState(''); const passwordChange = (value: string) => { setInputValue(value); }; const onPasswordInput = (e: any) => { passwordChange(e?.target?.value || ''); }; Then just bind it. After binding, we can display it normally. However, if illegal characters are entered, we need to intercept them through an interceptor. <Form.Item ... rules={[ { required: true, message: 'Password not empty', }, ({ getFieldValue }) => ({ validator(_, value) { passwordChange(value); if (PasswordForce.invaildWord) { return Promise.reject( new Error('Password contains invalid characters.'), ); } return Promise.resolve(); }, }), ]} ... Okay, now that we have finished using the slice, let’s implement it. Component WritingWriting Components import { getRuleMatchResult, IpasswordForce, IpasswordRule, isMatchForceResultConfig, matchResultConfig, passwordBreakKey, } from '@/utils/passwordStrengthChecker'; import React, { CSSProperties } from 'react'; import { useEffect } from 'react'; import { useState } from 'react'; import styled from 'styled-components'; interface props { inputValue: string; color?: string; style?: CSSProperties; className?: string; customRule?: IpasswordRule[]; } enum ForceMap { high = 'High', middle = 'Mid', low = 'Low', } const boolNumSum = (list: boolean[]) => list.reduce<number>( (previousValue, currentValue) => currentValue ? previousValue + 1 : previousValue, 0, ); const passwordForce: (props: props) => { View: React.FC; invokedWord: boolean; force: IpasswordForce; } = ({ inputValue, style = {}, className, customRule = [] }) => { const [force, setforce] = useState<IpasswordForce>(false); const [invaildWord, setIsInvaildWord] = useState(false); const inputValueLen = inputValue?.length || 0; const setData = () => { setforce(false); const isFirstWordUp = inputValue[0] === inputValue[0].toLocaleUpperCase(); const ruleRsult = getRuleMatchResult(customRule, inputValue, undefined, ''); const matchNum = boolNumSum(ruleRsult.list.map((e) => e[passwordBreakKey])); const matchResultConfig: matchResultConfig[] = [ { min: 0, max: 32, matchNum: 1, value: 'low' }, { min: 7, max: 32, matchNum: 2, value: 'middle' }, { min: 7, max: 32, matchNum: 3, value: 'middle' }, { min: 15, max: 32, matchNum: 3, value: 'high', need: isFirstWordUp }, ]; setIsInvaildWord(ruleRsult.invaildWord); matchResultConfig.forEach((config) => { isMatchForceResultConfig(config, matchNum, inputValueLen) && setforce(config.value); }); }; useEffect(() => { inputValue ? setData() : setforce(false); }, [inputValue]); return { View: () => force ? ( <PasswordForceWrap {...{ style, className }}> {ForceMap[force]} </PasswordForceWrap> ) : ( <></> ), invaildWord, force, }; }; export default passwordForce; const PasswordForceWrap = styled.span` color: ${({ color }) => color ?? '#000'}; `; Data structure analysis
Process AnalysisThis is actually two processes
Um. That’s about it for the business code. Then the dependencies are the codes that will basically not be changed. Based on the underlying files below, we can configure very complex validators in the business code, and we can implement this part of the code in other files. Analysis of underlying codeLet's have a chat. The following is pure ts code, which can run any framework. passwordStrengthChecker.ts import { numberList, specialList, wordList } from './constants'; type map = <U, T>(option: { array: U[]; range: number; matchList: T[]; tokenMap: (updateItem: T, token: U, index: number) => T; breakKey?: string; arrayMap?: (item: U, index: number) => void; }) => T[]; /** * match array and set */ export const setArrayMatch: map = ({ array, range, matchList, breakKey, tokenMap, arrayMap, }) => { const tokenLen = array.length; for (let tokenIndex = tokenLen - 1; tokenIndex >= 0; tokenIndex--) { const arrayToken = array[tokenIndex]; arrayMap && arrayMap(arrayToken, tokenIndex); for (let findIndex = range - 1; findIndex >= 0; findIndex--) { matchList = matchList.map((item) => tokenMap(item, arrayToken, findIndex), ); } if (breakKey && !matchList.map((e) => (e as any)[breakKey]).includes(false)) break; } return matchList; }; export const passwordBreakKey = 'isMatch'; export type IpasswordRule = { list: string[]; isMatch: boolean; name: string; }; export const defaultPasswordRuleList = [ { name: 'special', list: specialList }, { name: 'num', list: numberList }, { name: 'word', list: wordList }, ]; type PickValue<T, K extends keyof T> = T[K]; export const getRuleMatchResult: ( customRule: IpasswordRule[], inputValue: string, disableDefaultRule?: boolean, breakKey?: string, ) => { list: IpasswordRule[]; map: Map<PickValue<IpasswordRule, 'name'>, boolean>; matchCount: number; invokedWord: boolean; } = (customRule, inputValue, disableDefaultRule = true, breakKey) => { let ruleList = [ ...(disableDefaultRule ? defaultPasswordRuleList : []), ...customRule, ].map((item) => ({ ...item, [passwordBreakKey]: false })); const range = Math.max(...ruleList.map((ruleItem) => ruleItem.list.length)); let matchCount = 0; ruleList = setArrayMatch<string, IpasswordRule>({ array: inputValue.split(''), range, matchList: ruleList, // not breakKey full match breakKey: breakKey === void 0 ? passwordBreakKey : breakKey, tokenMap: (ruleItem, inputToken, findIndex) => { const match = ruleItem?.list[findIndex] === inputToken; if (match) { matchCount++; return { ...ruleItem, isMatch: true }; } return ruleItem; }, }); return { list: ruleList, map: new Map(ruleList.map((e) => [e.name, e[passwordBreakKey]])), matchCount, // To get this value, breakkey must be set to null string. If you exit early, it will cause the condition to be terminated early. // To get this value, breakkey must be set to null string invaildWord: matchCount !== inputValue.length, }; }; export const isMatchForceResultConfig = ( config: matchResultConfig, matchNum: number, inputValueLen: number, ) => { return ( matchNum === config.matchNum && inputValueLen >= config.min && inputValueLen <= config.max && (config.need !== undefined ? config.need : true) ); }; export type matchResultConfig = { min: number; max: number; matchNum: number; value: IpasswordForce; need?: boolean; back?: IpasswordForce; }; export type IpasswordForce = false | 'high' | 'middle' | 'low'; The process is to merge rules, one is the default rule and the other is the custom rule. If you customize the rule, the default rule will be overwritten. The traversal function is a separate high-order function that can customize the internal logic. At this time, we match the corresponding rule, activate the properties of the corresponding rule, and accumulate the matched characters. Finally, when all matches are reached, the traversal should be terminated. However, there is one situation where the traversal cannot be terminated, and that is when it is necessary to determine whether there are any illegal characters. Finally, this function throws the processed data to the upper-level component. This is the process. In the process of data throwing, some scenarios may require special processing of the data corresponding to the rules, but if it is an array structure, it is very inconvenient. Therefore, the thrown data should be divided into list and map types. If the upper-level application wants to obtain the corresponding rules, it can operate map.get (rule name) constants.ts export const specialList = ["~", "!", "@", "#", "$", "%", "^", "&", "*", "(", ")", "_", "=", "-", "/", ",", ".", "?", "<", ">", ";", ":", "[", "]", "{", "}", "|", "\\"]; export const numberList = ['1', '2', '3', '4', '5', '6', '7', '8', '9', '0']; export const wordList = ["q", "a", "z", "w", "s", "x", "e", "d", "c", "r", "f", "v", "t", "g", "b", "y", "h", "n", "u", "j", "m", "i", "k", "o", "l", "p", "Q", "A", "Z", "W", "S", "X", "E", "D", "C", "R", "F", "V", "T", "G", "B", "Y", "H", "N", "U", "J", "M", "I", "K", "O", "L", "P"]; otherMany people may wonder if a code detector needs to be so complicated. Wouldn't it be better to just use regular expressions? In fact, from a practical point of view, regular expressions are more convenient, but sometimes we don’t want to follow the rules, or want the thrill of manual coding, or want to get more playability from boring code, etc., so we write a code that looks quite complicated, but encapsulates the underlying layer, and then retains flexibility, and keeps it as simple as possible in the business layer. In fact, it is not impossible to try, but it will also be criticized during the review. Please pay attention when copying it. If you are short of time or have poor coding skills, it is not recommended to use this code. I will not be responsible for any problems. SummarizeThis is the end of this article about how to implement a password strength detector in react. For more relevant react password strength detector content, please search for previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope you will support 123WORDPRESS.COM in the future! |
<<: Installation steps of docker-ce on Raspberry Pi 4b ubuntu19 server
>>: Summary of MySQL commonly used type conversion functions (recommended)
Table of contents Preface Type Inference Truth va...
Four network types: None: Do not configure any ne...
1. Select Edit → Virtual Network Editor in the me...
Table of contents Question: Case (1) fork before ...
The image integration technology used by American...
1. Problem During development, when inserting dat...
Table of contents 1. Introduction to platform bus...
Overview This article begins to introduce content...
First, let's take a look at my basic developm...
When I was writing a project yesterday, I needed ...
1|0 Compile the kernel (1) Run the uname -r comma...
1. Install JDK 1. Uninstall the old version or th...
K8s k8s is a cluster. There are multiple Namespac...
Now .net core is cross-platform, and everyone is ...
The crontab command is used by Unix and Linux to ...