DEVELOPING A PORTSCANNER IN PYTHON

 

Developing a port scanner in python

Port scanning is a scanning method for determining which ports on a network device are open, whether it's a server, a router, or a regular machine. A port scanner is just a script or a program that is designed to probe a host for open ports.

In this tutorial, you will be able to make your own port scanner in Python using the socket library. The basic idea behind this simple port scanner is to try to connect to a specific host (website, server, or any device connected to the Internet/network) through a list of ports. If a successful connection has been established, that means the port is open.

For instance, when you loaded this web page, you made a connection to this website on port 80. Similarly, this script will try to connect to a host but on multiple ports. These kinds of tools are useful for hackers and penetration testers, so don't use this tool on a host that you don't have permission to test!

  

Optionally, you need to install colorama module for printing in colors:

 pip3 install colorama

 Simple Port Scanner

  • First, let's start by making a simple port scanner. Let's import the socket module:

    import socket # for connecting
    from colorama import init, Fore
    
    # some colors
    init()
    GREEN = Fore.GREEN
    RESET = Fore.RESET
    RED = Fore.RED

    Note: socket module is already installed on your machine, it is a built-in module in the python standard library, so you don't have to install anything.

    The socket module provides us with socket operations, functions for network-related tasks, etc. They are widely used on the Internet, as they are behind any connection to any network. Any network communication goes through a socket. More details are in the official Python documentation.

    We will use colorama here just for printing in green colors whenever a port is open, and gray when it is closed.

    Let's define the function that is responsible for determining whether a port is open:

    def port_open(host, port):
        """
        determine whether `host` has the `port` open
        """
        # creates a new socket
        s = socket.socket()
        try:
            # tries to connect to host using that port
            s.connect((host, port))
            # make timeout if you want it a little faster ( less accuracy )
            # s.settimeout(0.5)
        except:
            # cannot connect, port is closed
            # return false
            return False
        else:
            # the connection was established, port is open!
            return True

    s.connect((host, port)) function tries to connect the socket to a remote address using the (host, port) tuple, it will raise an exception when it fails to connect to that host, that is why we have wrapped that line of code into a try-except block, so whenever an exception is raised, that's an indication for us that the port is actually closed, otherwise it is open.

    Now let's use the above function and iterate over a range of ports:

    # get the host from the user
    host = input("Enter the host:")
    # iterate over ports, from 1 to 1024
    for port in range(1, 1025):
        if port_open(host, port):
            print(f"{GREEN}[+] {host}:{port} is open      {RESET}")
        else:
            print(f"{RED}[!] {host}:{port} is closed    {RESET}", end="\r")

    The above code will scan ports ranging from 1 all the way to 1024, you can change the range to 65535 if you want, but that will take longer to finish.

    When you try to run it, you'll immediately notice that the script is quite slow. Well, we can get away with that if we set a timeout of 200 milliseconds or so (using settimeout(0.2) method). However, this actually can reduce the accuracy of the reconnaissance, especially when your latency is quite high. As a result, we need a better way to accelerate this.

     

     

    Fast (Threaded) Port Scanner

    Now let's take our simple port scanner to a higher level. In this section, we'll write a threaded port scanner that can scan 200 or more ports simultaneously.

    The code below  is actually the same function we saw previously, which is responsible for scanning a single port. Since we're using threading, we need to use a lock so only one thread can print at a time. Otherwise, the output will be messed up, and we won't read anything useful:

    import argparse
    import socket # for connecting
    from colorama import init, Fore
    from threading import Thread, Lock
    from queue import Queue
    
    # some colors
    init()
    GREEN = Fore.GREEN
    RESET = Fore.RESET
    RED = Fore.RED
    
    # number of threads, feel free to tune this parameter as you wish
    N_THREADS = 200
    # thread queue
    q = Queue()
    print_lock = Lock()
    
    def port_scan(port):
        """
        Scan a port on the global variable `host`
        """
        try:
            s = socket.socket()
            s.connect((host, port))
        except:
            with print_lock:
                print(f"{RED}{host:15}:{port:5} is closed  {RESET}", end='\r')
        else:
            with print_lock:
                print(f"{GREEN}{host:15}:{port:5} is open    {RESET}")
        finally:
            s.close()

    So this time, the function doesn't return anything; we just want to print whether the port is open (feel free to change it, though).

    We used Queue() class from the built-in queue module that will help us with consuming ports, the two below functions are for producing and filling up the queue with port numbers and using threads to consume them:

    def scan_thread():
        global q
        while True:
            # get the port number from the queue
            worker = q.get()
            # scan that port number
            port_scan(worker)
            # tells the queue that the scanning for that port 
            # is done
            q.task_done()
    
    
    def main(host, ports):
        global q
        for t in range(N_THREADS):
            # for each thread, start it
            t = Thread(target=scan_thread)
            # when we set daemon to true, that thread will end when the main thread ends
            t.daemon = True
            # start the daemon thread
            t.start()
        for worker in ports:
            # for each port, put that port into the queue
            # to start scanning
            q.put(worker)
        # wait the threads ( port scanners ) to finish
        q.join()
     
     

    The job of the scan_thread() function is to get port numbers from the queue and scan it, and then add it to the done tasks, whereas main() function is responsible for filling up the queue with the port numbers and spawning N_THREADS threads to consume them.

    Note the q.get() will block until a single item is available in the queue. q.put() puts a single item into the queue and q.join() waits for all daemon thread to finish (clearing the queue).

    Finally, let's make a simple argument parser using argparse so we can pass the host and port numbers range from the command line:

    if __name__ == "__main__":
        # parse some parameters passed
        parser = argparse.ArgumentParser(description="Simple port scanner")
        parser.add_argument("host", help="Host to scan.")
        parser.add_argument("--ports", "-p", dest="port_range", default="1-65535", help="Port range to scan, default is 1-65535 (all ports)")
        args = parser.parse_args()
        host, port_range = args.host, args.port_range

        start_port, end_port = port_range.split("-")
        start_port, end_port = int(start_port), int(end_port)

        ports = [ p for p in range(start_port, end_port)]

        main(host, ports)
    ts)
     

     

     

Comments

Check out our works

WINDOWS SYSTEM PROGRAMMING WITH C/C++

PYTHON PROGRAMMING IN AND OUT

Creating a Reverse Shell in Python

Network programming in python with examples