


A simple example of js implementing ID number verification_javascript skills
The following is the validity verification code using JS according to the ID card number encoding rules
IdCard-Validate.js code is as follows:
/**
* 身份证15位编码规则:dddddd yymmdd xx p
* dddddd:地区码
* yymmdd: 出生年月日
* xx: 顺序类编码,无法确定
* p: 性别,奇数为男,偶数为女
*
* 身份证18位编码规则:dddddd yyyymmdd xxx y
* dddddd:地区码
* yyyymmdd: 出生年月日
* xxx:顺序类编码,无法确定,奇数为男,偶数为女
* y: 校验码,该位数值可通过前17位计算获得
*
* 18位号码加权因子为(从右到左) Wi = [ 7, 9, 10, 5, 8, 4, 2, 1, 6, 3, 7, 9, 10, 5, 8, 4, 2,1 ]
* 验证位 Y = [ 1, 0, 10, 9, 8, 7, 6, 5, 4, 3, 2 ]
* 校验位计算公式:Y_P = mod( ∑(Ai×Wi),11 )
* i为身份证号码从右往左数的 2...18 位; Y_P为脚丫校验码所在校验码数组位置
*
*/
var Wi = [ 7, 9, 10, 5, 8, 4, 2, 1, 6, 3, 7, 9, 10, 5, 8, 4, 2, 1 ] // 가중치
var ValideCode = [ 1, 0, 10, 9, 8, 7, 6, 5, 4, 3, 2 ]; // 신분증 확인 비트 값 10은 X
function IdCardValidate(idCard) {
idCard = Trim(idCard.replace(/ /g, ""));
if (idCard.length == 15) {
return isValidityBrithBy15IdCard(idCard);
} else if (idCard.length == 18) {
var a_idCard = idCard.split("");// ID 카드 배열 가져오기
if(isValidityBrithBy18IdCard(idCard)&&isTrueValidateCodeBy18IdCard(a_idCard)){
return true;
} else {
false 반환;
}
} else {
false 반환;
}
}
/**
* 신분증번호가 18자리일 때 마지막 인증숫자가 맞는지 판단
* @param a_idCard 신분증번호 배열
* @return
*/
function isTrueValidateCodeBy18IdCard( a_idCard ) {
var sum = 0; // 가중치 합계 변수 선언
if (a_idCard[17].toLowerCase() == 'x') {
a_idCard[17] = 10; 후속 작업을 용이하게 하기 위해 마지막 숫자 x가 포함된 인증 코드는 10으로 대체됩니다.
}
for ( var i = 0; i < 17; i ) {
sum = Wi[i] * a_idCard[ i]; // 가중치 합계
}
valCodePosition = sum % 11;// 인증 코드 위치 가져오기
if (a_idCard[17] == ValideCode[valCodePosition]) {
return true;
} else {
false 반환;
}
}
/**
* 신분증으로 남자인지 여자인지 판별
* @param idCard 15/18자리 ID번호
* @return '여성'-여성, '남성'-남성
*/
function maleOrFemalByIdCard(idCard){
idCard = Trim(idCard.replace (/ /g, ""));// ID 번호를 처리합니다. 문자 사이에 공백을 포함합니다.
if(idCard.length==15){
if(idCard.substring(14,15)%2==0){
return 'female';
}else{
return 'male';
}
}else if(idCard.length ==18){
if(idCard.substring(14,17)%2==0){
return 'female ';
}else{
return 'male';
}
}else{
return null;
}
//들어오는 문자는 남성으로 직접 처리될 수 있습니다. 배열 처리
// if(idCard.length==15){
// Alert(idCard[13]);
// if(idCard[13]%2==0){
// '여성' 반환;
// }else{
// '남성' 반환;
// }
// }else if(idCard.length==18){
// Alert(idCard[16]);
// if(idCard[16]%2==0){
// return 'female';
// }else{
// return 'male';
// }
// }else{
// return null;
// }
}
/**
* 주민등록번호 18자리에 생일이 유효한지 확인
* @param idCard 주민등록번호 18자리 문자열
* @return
* /
function isValidityBrithBy18IdCard(idCard18){
var year = idCard18.substring(6,10);
var Month = idCard18.substring(10,12);
var day = idCard18.substring ( 12,14);
var temp_date = new Date(year,parseFloat(month)-1,parseFloat(day));
// 여기서 getFullYear()를 사용하여 Y2K 문제를 피하기 위해 연도를 가져옵니다.
if (temp_date.getFullYear()!=parseFloat(년)
||temp_date.getMonth()!=parseFloat(월)-1
||temp_date.getDate()!=parseFloat(일)) {
false 반환;
}else{
true 반환;
}
}
/**
* 주민등록번호 15자리에 생일이 유효한 생일인지 확인
* @param idCard15 주민등록번호 15자리 문자열
* @return
*/
함수 isValidityBrithBy15IdCard(idCard15){
var year = idCard15.substring(6,8);
var Month = idCard15.substring(8,10);
var day = idCard15.substring(10,12);
var temp_date = 새 날짜 (year, parseFloat(month)-1,parseFloat(day));
// 기존 신분증의 나이에 대해서는 Y2K 문제를 고려할 필요가 없으며 getYear() 메서드를 사용할 필요가 없습니다
if (temp_date.getYear()! =parseFloat(연도)
||temp_date.getMonth()!=parseFloat(월)-1
||temp_date.getDate()!=parseFloat(일)){
return false;
}else{
return true;
}
}
//문자열에서 앞뒤 공백 제거
function Trim(str) {
return str.replace(/(^/s *)|(/s*$)/g, "");
}
위 코드의 경우 실제 사용에서의 성별 판단에 관해 , ID 카드가 효율적인지 판단하기 위해 먼저 추가할 수 있습니다. 이 코드 예제에서는 이런 판단이 이루어지지 않아 실제 사용 시 실제 상황에 따라 좀 더 풍부해질 수 있습니다.

Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)

Hot Topics

How to use JS and Baidu Map to implement map pan function Baidu Map is a widely used map service platform, which is often used in web development to display geographical information, positioning and other functions. This article will introduce how to use JS and Baidu Map API to implement the map pan function, and provide specific code examples. 1. Preparation Before using Baidu Map API, you first need to apply for a developer account on Baidu Map Open Platform (http://lbsyun.baidu.com/) and create an application. Creation completed

Essential tools for stock analysis: Learn the steps to draw candle charts in PHP and JS. Specific code examples are required. With the rapid development of the Internet and technology, stock trading has become one of the important ways for many investors. Stock analysis is an important part of investor decision-making, and candle charts are widely used in technical analysis. Learning how to draw candle charts using PHP and JS will provide investors with more intuitive information to help them make better decisions. A candlestick chart is a technical chart that displays stock prices in the form of candlesticks. It shows the stock price

Face detection and recognition technology is already a relatively mature and widely used technology. Currently, the most widely used Internet application language is JS. Implementing face detection and recognition on the Web front-end has advantages and disadvantages compared to back-end face recognition. Advantages include reducing network interaction and real-time recognition, which greatly shortens user waiting time and improves user experience; disadvantages include: being limited by model size, the accuracy is also limited. How to use js to implement face detection on the web? In order to implement face recognition on the Web, you need to be familiar with related programming languages and technologies, such as JavaScript, HTML, CSS, WebRTC, etc. At the same time, you also need to master relevant computer vision and artificial intelligence technologies. It is worth noting that due to the design of the Web side

How to use PHP and JS to create a stock candle chart. A stock candle chart is a common technical analysis graphic in the stock market. It helps investors understand stocks more intuitively by drawing data such as the opening price, closing price, highest price and lowest price of the stock. price fluctuations. This article will teach you how to create stock candle charts using PHP and JS, with specific code examples. 1. Preparation Before starting, we need to prepare the following environment: 1. A server running PHP 2. A browser that supports HTML5 and Canvas 3

With the rapid development of Internet finance, stock investment has become the choice of more and more people. In stock trading, candle charts are a commonly used technical analysis method. It can show the changing trend of stock prices and help investors make more accurate decisions. This article will introduce the development skills of PHP and JS, lead readers to understand how to draw stock candle charts, and provide specific code examples. 1. Understanding Stock Candle Charts Before introducing how to draw stock candle charts, we first need to understand what a candle chart is. Candlestick charts were developed by the Japanese

How to use JS and Baidu Maps to implement the map heat map function Introduction: With the rapid development of the Internet and mobile devices, maps have become a common application scenario. As a visual display method, heat maps can help us understand the distribution of data more intuitively. This article will introduce how to use JS and Baidu Map API to implement the map heat map function, and provide specific code examples. Preparation work: Before starting, you need to prepare the following items: a Baidu developer account, create an application, and obtain the corresponding AP

How to use JS and Baidu Maps to implement map polygon drawing function. In modern web development, map applications have become one of the common functions. Drawing polygons on the map can help us mark specific areas for users to view and analyze. This article will introduce how to use JS and Baidu Map API to implement map polygon drawing function, and provide specific code examples. First, we need to introduce Baidu Map API. You can use the following code to import the JavaScript of Baidu Map API in an HTML file

Overview of how to use JS and Baidu Maps to implement map click event processing: In web development, it is often necessary to use map functions to display geographical location and geographical information. Click event processing on the map is a commonly used and important part of the map function. This article will introduce how to use JS and Baidu Map API to implement the click event processing function of the map, and give specific code examples. Steps: Import the API file of Baidu Map. First, import the file of Baidu Map API in the HTML file. This can be achieved through the following code:
