Open In App

Python – Simple Port Scanner with Sockets

Improve
Improve
Like Article
Like
Save
Share
Report

Ports can be scanned to check which ports are engaged and which ports are open or free. In Python “Socket” module provides access to the BSD socket interface, which is available on all platforms. 

To scan the ports, the following steps can be implemented: 
1] Recognize the host’s IP address 
2] Create new socket 
3] Forming a connection with port 
4] Checks whether data is received or not 
5] Close connection To use the socket module, we have to import it :

 import socket  

Let’s see some more functions from socket module that can be used to create simple port scanner 
To create a new object of socket socket() is used. The syntax of socket() function is:

 
newSocket = socket.socket(socket_family, socket_type)
 

socket_family is IP address of version 4 or 6. By default, it takes as IPV4.

 AF_INET for socket family of address version 4

 AF_INET6 for socket family of address version 6
 

socket_type is type of connection.by default it takes as TCP connection.

 
SOCK_STREAM  for Socket type of TCP connections 

SOCK_DGRAM for Socket type of UDP connections 
 

To Return a string containing the hostname of the machine where the Python interpreter is currently executing. we can use :

 socket.gethostname()  

If hostname is in IPV6 Following method is used Translate a host name to IPv4 address format. The IPv4 address is returned as a string, such as ‘10.120.30.2’. If the host name is an IPv4 address itself it is returned unchanged.

 socket.gethostbyname(hostname) 

To Bind the socket to address, we use bind()method .The socket must not already be bound.The format of address depends on the address family.Syntax of this function is as follows.

 
socket.bind(self,address)
 

To close connection close()method is used.This method mark the socket closed. Once that happens, all future operations on the socket object will fail. The remote end will receive no more data (after queued data is flushed).Sockets are automatically closed when they are garbage-collected, but it is recommended to close() them explicitly, or to use a with statement around them. Syntax is :

 
socket.close()
 

Let us see actual code to scan ports. 

Python3




#Python code for simple port scanning
 
import socket  #importing library
 
ip = socket.gethostbyname (socket.gethostname())  #getting ip-address of host
 
for port in range(65535):      #check for all available ports
 
    try:
  
        serv = socket.socket(socket.AF_INET,socket.SOCK_STREAM) # create a new socket
 
        serv.bind((ip,port)) # bind socket with address
            
    except:
 
        print('[OPEN] Port open :',port) #print open port number
 
    serv.close() #close connection



Last Updated : 27 Mar, 2023
Like Article
Save Article
Previous
Next
Share your thoughts in the comments
Similar Reads