为Javascript寻找一个好的IP地址解析器。
理想情况下,它可以将IP地址作为字符串,然后返回包含IP地址的所有部分的对象,包括端口。
谢谢!
答案 0 :(得分:2)
function parseIP(ip) {
if(ip.match(/^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3})/)!=null) {
ip = ip.match(/(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)/); //clean posible port or http://
return ip.split("."); //returns [a,b,c,d] array
}
else
return false;
}
那就行了。 Split方法按分隔符拆分字符串。它的对面是Array.join(delimiter)
,它将数组与各个部分之间的可选delimiter
连接起来。
答案 1 :(得分:2)
var v4 = '[\\d]{1-3}';
var v4d = '\\.';
var v4complete = v4+v4d+v4+v4d+v4+v4d+v4
var v6 = '[\\da-fA-F]{0-4}';
var v6d = ':';
var v6complete = v6+v6d+v6+v6d+v6+v6d+v6+v6d+v6+v6d+v6+v6d+v6+v6d+v6;
var regex = new RegExp('(' + v4complete + '(\\:\d+){0,1}|'
+ '::|::1|'
+ '\\[::\\]:\\d+|\\[::1\\]:\\d+|'
+ v6complete + '|'
+ '\\[' + v6complete + '\\]:\\d+' + ')', 'g');
var result = mystring.match(regex);
请注意,这并不能保证有效地址(例如,IPv4的范围为0-255)。但它应该在有或没有端口的情况下匹配ip。
答案 2 :(得分:1)
我在JS中实现Safe Browsing url canonicalization时遇到了这个问题。这里的答案很有帮助,这里有一些我想出的JS八进制&十六进制IP地址,以防将来对其他任何人有用:
function verifyIP4(address) {
var ip4DecimalPattern = '^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?))$';
var ip4HexPattern = '^(?:(?:0x[0-9a-f]{1,2})\.){3}(?:0x[0-9a-f]{1,2})$';
var ip4OctalPattern = '^(?:(?:03[1-7][0-7]|0[12][0-7]{1,2}|[0-7]{1,2})\.){3}(?:03[1-7][0-7]|0[12][0-7]{1,2}|[0-7]{1,2})$';
var isIP4Decimal = isIP4Hex = isIP4Octal = false;
var base = 10;
isIP4Decimal = address.match(ip4DecimalPattern) != null;
isIP4Hex = address.match(ip4HexPattern) != null;
isIP4Octal = address.match(ip4OctalPattern) != null;
if (isIP4Hex || isIP4Octal) {
if (isIP4Hex) {
base = 16;
} else if (isIP4Octal) {
base = 8;
}
return address.split('.').map(num => parseInt(num, base)).join('.');
}
return false;
}
答案 3 :(得分:0)
这就是我想出的。
::
// REGEX to break an ip address into parts
var ip_regex = /(\d+)\.(\d+)\.(\d+)\.(\d+)(?:\.(\d+))?(?::(\d+))?/ig;
// Parse the ip string into an object containing it's parts
var parse_ip_address = function(ip_string){
// Use Regex to get the parts of the ip address
var ip_parts = ip_regex.exec(ip_string);
// Set ip address if the regex executed successfully
if( ip_parts && ip_parts.length > 6 ){
// Set up address object to elements in the list
var ip_address = {
'A': ip_parts[1],
'B': ip_parts[2],
'C': ip_parts[3],
'D': ip_parts[4],
'E': ip_parts[5],
'port': ip_parts[6]
}
// Would rather not fiddle with 'undefined' value
if( typeof ip_parts[5] != 'undefined') {
ip_address[5] = null;
}
}
// Return object
return ip_parts;
};