005_ss-link.info的ping探测工具
用小工具ping.py测试距离您最快的节点
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 | #!/usr/bin/env python # coding: utf-8 """ A pure python ping implementation using raw sockets. Note that ICMP messages can only be send from processes running as root (in Windows, you must run this script as 'Administrator'). Bugs are naturally mine. I'd be glad to hear about them. There are certainly word - size dependencies here. :homepage: https://github.com/socketubs/Pyping/ :copyleft: 1989-2011 by the python-ping team, see AUTHORS for more details. :license: GNU GPL v2, see LICENSE for more details. """ import os import select import signal import socket import struct import sys import time if sys.platform.startswith( "win32" ): # On Windows, the best timer is time.clock() default_timer = time.clock else : # On most other platforms the best timer is time.time() default_timer = time.time # ICMP parameters ICMP_ECHOREPLY = 0 # Echo reply (per RFC792) ICMP_ECHO = 8 # Echo request (per RFC792) ICMP_MAX_RECV = 2048 # Max size of incoming buffer MAX_SLEEP = 1000 def calculate_checksum(source_string): """ A port of the functionality of in_cksum() from ping.c Ideally this would act on the string as a series of 16-bit ints (host packed), but this works. Network data is big-endian, hosts are typically little-endian """ countTo = ( int ( len (source_string) / 2 )) * 2 sum = 0 count = 0 # Handle bytes in pairs (decoding as short ints) loByte = 0 hiByte = 0 while count < countTo: if (sys.byteorder = = "little" ): loByte = source_string[count] hiByte = source_string[count + 1 ] else : loByte = source_string[count + 1 ] hiByte = source_string[count] sum = sum + ( ord (hiByte) * 256 + ord (loByte)) count + = 2 # Handle last byte if applicable (odd-number of bytes) # Endianness should be irrelevant in this case if countTo < len (source_string): # Check for odd length loByte = source_string[ len (source_string) - 1 ] sum + = ord (loByte) sum & = 0xffffffff # Truncate sum to 32 bits (a variance from ping.c, which # uses signed ints, but overflow is unlikely in ping) sum = ( sum >> 16 ) + ( sum & 0xffff ) # Add high 16 bits to low 16 bits sum + = ( sum >> 16 ) # Add carry from above (if any) answer = ~ sum & 0xffff # Invert and truncate to 16 bits answer = socket.htons(answer) return answer def is_valid_ip4_address(addr): parts = addr.split( "." ) if not len (parts) = = 4 : return False for part in parts: try : number = int (part) except ValueError: return False if number > 255 : return False return True def to_ip(addr): if is_valid_ip4_address(addr): return addr return socket.gethostbyname(addr) class Response( object ): def __init__( self ): self .max_rtt = None self .min_rtt = None self .avg_rtt = None self .packet_lost = None self .ret_code = None self .output = [] self .packet_size = None self .timeout = None self .destination = None self .destination_ip = None class Ping( object ): def __init__( self , destination, timeout = 1000 , packet_size = 55 , own_id = None , quiet_output = True , udp = False ): self .quiet_output = quiet_output if quiet_output: self .response = Response() self .response.destination = destination self .response.timeout = timeout self .response.packet_size = packet_size self .destination = destination self .timeout = timeout self .packet_size = packet_size self .udp = udp if own_id is None : self .own_id = os.getpid() & 0xFFFF else : self .own_id = own_id try : # FIXME: Use destination only for display this line here? see: https://github.com/jedie/python-ping/issues/3 self .dest_ip = to_ip( self .destination) if quiet_output: self .response.destination_ip = self .dest_ip except socket.gaierror as e: self .print_unknown_host(e) else : self .print_start() self .seq_number = 0 self .send_count = 0 self .receive_count = 0 self .min_time = 999999999 self .max_time = 0.0 self .total_time = 0.0 #-------------------------------------------------------------------------- def print_start( self ): msg = "\nPYTHON-PING %s (%s): %d data bytes" % ( self .destination, self .dest_ip, self .packet_size) if self .quiet_output: self .response.output.append(msg) else : print (msg) def print_unknown_host( self , e): msg = "\nPYTHON-PING: Unknown host: %s (%s)\n" % ( self .destination, e.args[ 1 ]) if self .quiet_output: self .response.output.append(msg) self .response.ret_code = 1 else : print (msg) sys.exit( - 1 ) def print_success( self , delay, ip, packet_size, ip_header, icmp_header): if ip = = self .destination: from_info = ip else : from_info = "%s (%s)" % ( self .destination, ip) msg = "%d bytes from %s: icmp_seq=%d ttl=%d time=%.1f ms" % (packet_size, from_info, icmp_header[ "seq_number" ], ip_header[ "ttl" ], delay) if self .quiet_output: self .response.output.append(msg) self .response.ret_code = 0 else : print (msg) #print("IP header: %r" % ip_header) #print("ICMP header: %r" % icmp_header) def print_failed( self ): msg = "Request timed out." if self .quiet_output: self .response.output.append(msg) self .response.ret_code = 1 else : print (msg) def print_exit( self ): msg = "\n----%s PYTHON PING Statistics----" % ( self .destination) if self .quiet_output: self .response.output.append(msg) else : print (msg) lost_count = self .send_count - self .receive_count #print("%i packets lost" % lost_count) lost_rate = float (lost_count) / self .send_count * 100.0 msg = "%d packets transmitted, %d packets received, %0.1f%% packet loss" % ( self .send_count, self .receive_count, lost_rate) if self .quiet_output: self .response.output.append(msg) self .response.packet_lost = lost_count else : print (msg) if self .receive_count > 0 : msg = "round-trip (ms) min/avg/max = %0.3f/%0.3f/%0.3f" % ( self .min_time, self .total_time / self .receive_count, self .max_time) if self .quiet_output: self .response.min_rtt = '%.3f' % self .min_time self .response.avg_rtt = '%.3f' % ( self .total_time / self .receive_count) self .response.max_rtt = '%.3f' % self .max_time self .response.output.append(msg) else : print (msg) if self .quiet_output: self .response.output.append( '\n' ) else : print ('') #-------------------------------------------------------------------------- def signal_handler( self , signum, frame): """ Handle print_exit via signals """ self .print_exit() msg = "\n(Terminated with signal %d)\n" % (signum) if self .quiet_output: self .response.output.append(msg) self .response.ret_code = 0 else : print (msg) sys.exit( 0 ) def setup_signal_handler( self ): signal.signal(signal.SIGINT, self .signal_handler) # Handle Ctrl-C if hasattr (signal, "SIGBREAK" ): # Handle Ctrl-Break e.g. under Windows signal.signal(signal.SIGBREAK, self .signal_handler) #-------------------------------------------------------------------------- def header2dict( self , names, struct_format, data): """ unpack the raw received IP and ICMP header informations to a dict """ unpacked_data = struct.unpack(struct_format, data) return dict ( zip (names, unpacked_data)) #-------------------------------------------------------------------------- def run( self , count = None , deadline = None ): """ send and receive pings in a loop. Stop if count or until deadline. """ if not self .quiet_output: self .setup_signal_handler() while True : delay = self .do() self .seq_number + = 1 if count and self .seq_number > = count: break if deadline and self .total_time > = deadline: break if delay = = None : delay = 0 # Pause for the remainder of the MAX_SLEEP period (if applicable) if (MAX_SLEEP > delay): time.sleep((MAX_SLEEP - delay) / 1000.0 ) self .print_exit() if self .quiet_output: return self .response def do( self ): """ Send one ICMP ECHO_REQUEST and receive the response until self.timeout """ try : # One could use UDP here, but it's obscure if self .udp: current_socket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM, socket.getprotobyname( "udp" )) else : current_socket = socket.socket(socket.AF_INET, socket.SOCK_RAW, socket.getprotobyname( "icmp" )) except socket.error, (errno, msg): if errno = = 1 : # Operation not permitted - Add more information to traceback etype, evalue, etb = sys.exc_info() evalue = etype( "%s - Note that ICMP messages can only be send from processes running as root." % evalue ) raise etype, evalue, etb raise # raise the original error send_time = self .send_one_ping(current_socket) if send_time = = None : return self .send_count + = 1 receive_time, packet_size, ip, ip_header, icmp_header = self .receive_one_ping(current_socket) current_socket.close() if receive_time: self .receive_count + = 1 delay = (receive_time - send_time) * 1000.0 self .total_time + = delay if self .min_time > delay: self .min_time = delay if self .max_time < delay: self .max_time = delay self .print_success(delay, ip, packet_size, ip_header, icmp_header) return delay else : self .print_failed() def send_one_ping( self , current_socket): """ Send one ICMP ECHO_REQUEST """ # Header is type (8), code (8), checksum (16), id (16), sequence (16) checksum = 0 # Make a dummy header with a 0 checksum. header = struct.pack( "!BBHHH" , ICMP_ECHO, 0 , checksum, self .own_id, self .seq_number ) padBytes = [] startVal = 0x42 for i in range (startVal, startVal + ( self .packet_size)): padBytes + = [(i & 0xff )] # Keep chars in the 0-255 range data = bytes(padBytes) # Calculate the checksum on the data and the dummy header. checksum = calculate_checksum(header + data) # Checksum is in network order # Now that we have the right checksum, we put that in. It's just easier # to make up a new header than to stuff it into the dummy. header = struct.pack( "!BBHHH" , ICMP_ECHO, 0 , checksum, self .own_id, self .seq_number ) packet = header + data send_time = default_timer() try : current_socket.sendto(packet, ( self .destination, 1 )) # Port number is irrelevant for ICMP except socket.error as e: self .response.output.append( "General failure (%s)" % (e.args[ 1 ])) current_socket.close() return return send_time def receive_one_ping( self , current_socket): """ Receive the ping from the socket. timeout = in ms """ timeout = self .timeout / 1000.0 while True : # Loop while waiting for packet or timeout select_start = default_timer() inputready, outputready, exceptready = select.select([current_socket], [], [], timeout) select_duration = (default_timer() - select_start) if inputready = = []: # timeout return None , 0 , 0 , 0 , 0 receive_time = default_timer() packet_data, address = current_socket.recvfrom(ICMP_MAX_RECV) icmp_header = self .header2dict( names = [ "type" , "code" , "checksum" , "packet_id" , "seq_number" ], struct_format = "!BBHHH" , data = packet_data[ 20 : 28 ] ) if icmp_header[ "packet_id" ] = = self .own_id: # Our packet ip_header = self .header2dict( names = [ "version" , "type" , "length" , "id" , "flags" , "ttl" , "protocol" , "checksum" , "src_ip" , "dest_ip" ], struct_format = "!BBHHHBBHII" , data = packet_data[: 20 ] ) packet_size = len (packet_data) - 28 ip = socket.inet_ntoa(struct.pack( "!I" , ip_header[ "src_ip" ])) # XXX: Why not ip = address[0] ??? return receive_time, packet_size, ip, ip_header, icmp_header timeout = timeout - select_duration if timeout < = 0 : return None , 0 , 0 , 0 , 0 def ping(hostname, timeout = 1000 , count = 3 , packet_size = 55 , udp = False , * args, * * kwargs): p = Ping(hostname, timeout, packet_size, * args, * * kwargs) return p.run(count) def allIP(): #return ["8.8.8.8","a8.8.4.4"] r = [] try : import urllib2 hdr = { 'User-Agent' : 'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.11 (KHTML, like Gecko) Chrome/23.0.1271.64 Safari/537.11' , 'Accept' : 'text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8' , 'Accept-Charset' : 'ISO-8859-1,utf-8;q=0.7,*;q=0.3' , 'Accept-Encoding' : 'none' , 'Accept-Language' : 'en-US,en;q=0.8' , 'Connection' : 'keep-alive' } req = urllib2.Request( "https://www.ss-link.info/all" ,headers = hdr) s = urllib2.urlopen(req).read() r = s.split() except Exception,e: print "Network Error" ,e return r totalCount = 5 def mycompare(x,y): x1 = float (x.avg_rtt) + x.packet_lost * 1000.0 / totalCount y1 = float (y.avg_rtt) + y.packet_lost * 1000.0 / totalCount return int ( 1000 * (x1 - y1) ) if __name__ = = "__main__" : ips = allIP() print "Start ..." results = [] for ip in ips: r = None try : r = ping(ip,count = totalCount) except Exception,e: print e if r: print r.destination_ip, "..." if r.avg_rtt = = None : r.avg_rtt = 2000 results.append(r) print "" print "The most fast IP:" results = sorted ( results, cmp = mycompare ) for r in results: print r.destination_ip, "AVG" ,r.avg_rtt, "LOST" ,r.packet_lost * 1.0 / totalCount |
小工具ping.py是用Python语言开发的,可以运行在Windows, Linux, Mac OS等平台。下载请点击这里。ping.py自动从www.ss-link.com网站获取所有可用的节点,然后对每个节点发送5个ICMP ping,按平均响应时间和丢包率排序,给出结果。ping.py需要管理员权限运行,因为发送ICMP是需要管理员权限的。
在Linux和Mac OS下使用这个工具的方法是运行命令:sudo python ping.py
在Windows下需要先下载安装Python 2.7,下载Python请点击这里,64位的Windows选择Windows x86-64 MSI installer,32位的选择Windows x86 MSI installer。安装Python建议默认安装即可,默认是安装在C:\Python27 目录下。小工具ping.py建议也放到C:\Python27 目录下。按照下面的步骤运行。
用管理员模式运行cmd。在Windows的菜单的搜索框中输入cmd,会搜索出“命令提示符”,旁边是一个黑色小窗口的图标,类似。在这个小图标上点击鼠标右键,选择“以管理员身份运行”,如图
然后出现cmd黑色窗口,请注意窗口的左上角应该有“管理员”字样,这样表示是用的管理员身份运行的。在这个窗口执行如下两个命令“cd C:\Python27” 和“python ping.py”,注意不要带双引号,如果ping.py保存到了别的地方比如D:\tools 那么需要修改第二个命令为“python D:\tools\ping.py”
这个命令需要几分钟才能运行完成,完成后输出的“The most fast IP:”后面的部分,越靠前的IP速度越快。
【推荐】还在用 ECharts 开发大屏?试试这款永久免费的开源 BI 工具!
【推荐】国内首个AI IDE,深度理解中文开发场景,立即下载体验Trae
【推荐】编程新体验,更懂你的AI,立即体验豆包MarsCode编程助手
【推荐】抖音旗下AI助手豆包,你的智能百科全书,全免费不限次数
【推荐】轻量又高性能的 SSH 工具 IShell:AI 加持,快人一步