1 Aug 2023

Building a Python Bot for LinkedIn

LinkedIn is a powerful platform for professionals to connect, network, and build meaningful relationships within their industry. With millions of users, it offers an immense opportunity for expanding your professional network. However, manually sending connection requests and personalized messages to hundreds of potential contacts can be time-consuming and repetitive. This is where a Python bot comes into play. In this blog, we will walk you through the process of building a Python bot for LinkedIn to automate connection requests and messages, making networking on the platform a breeze.

Prerequisites

Before we dive into building the bot, make sure you have the following prerequisites

  1. Python: Ensure you have Python installed on your system. You can download the latest version from the official Python website.
  2. Selenium: Selenium is a powerful tool for web automation and testing. It allows us to control browsers programmatically. You can install it using pip : pip install selenium     
  3. ChromeDriver: Since Selenium requires a web browser to automate tasks, we need to download the ChromeDriver executable that matches your Chrome browser version. You can download it from the ChromeDriver website. After downloading, make sure to add the ChromeDriver executable to your system's PATH.
  4. LinkedIn Account: Obviously, you need a LinkedIn account to use the bot.

Setting up the Project

Create a new directory for your project and set up a virtual environment:

   mkdir linkedin_bot_project
   cd linkedin_bot_project
   python -m venv venv
 source venv/bin/activate  # On Windows, use `venv\Scripts\activate`   

Now, create a new Python file inside the project directory, e.g., linkedin_bot.py. This is where we will write our bot code.

Writing the Python Bot

Importing Libraries

Let's start by importing the required libraries

from selenium import webdriver
from selenium.webdriver.common.keys import Keys
import time

Setting Up the Web Driver

Next, we'll set up the Chrome web driver using Selenium. This will allow us to control the browser programmatically.

def setup_driver():
    options = webdriver.ChromeOptions()
    options.add_argument("--start-maximized")  # Maximize the browser window
    driver = webdriver.Chrome(options=options)
  return driver

Logging into LinkedIn

We need to log in to our LinkedIn account using the bot. For simplicity, we'll hardcode the username and password, but in a real-world scenario, you should consider using environment variables or other secure methods.

def login(driver, username, password):
    driver.get("https://www.linkedin.com/login")
    time.sleep(2)

    email_input = driver.find_element_by_name("session_key")
    email_input.send_keys(username)
    time.sleep(1)

    password_input = driver.find_element_by_name("session_password")
    password_input.send_keys(password)
    time.sleep(1)

    login_button = driver.find_element_by_xpath("//button[@type='submit']")
    login_button.click()
  time.sleep(2)

Sending Connection Requests

Now, let's write a function to send connection requests to people who match specific criteria, such as job title, location, or industry.

def send_connection_requests(driver, keyword, max_requests=10):
    search_url = f"https://www.linkedin.com/search/results/people/?keywords={keyword}"
    driver.get(search_url)
    time.sleep(2)

    # Scroll down to load more profiles
    for _ in range(3):
        driver.find_element_by_tag_name("body").send_keys(Keys.END)
        time.sleep(2)

    # Find all the "Connect" buttons on the page
    connect_buttons = driver.find_elements_by_xpath("//button[text()='Connect']")
    count = 0

    for button in connect_buttons:
        if count >= max_requests:
            break

        try:
            button.click()
            time.sleep(1)

            # Confirming the connection
            send_now_button = driver.find_element_by_xpath("//button[text()='Send now']")
            send_now_button.click()
            count += 1
            time.sleep(1)
        except Exception as e:
            print(f"Failed to send request: {e}")

  print(f"Sent {count} connection requests.")

Sending Personalized Messages

To make our connection requests more effective, we can send personalized messages along with them. Let's implement this feature

def send_personalized_messages(driver, message, max_messages=10):
    messages_url = "https://www.linkedin.com/messaging/compose/"
    driver.get(messages_url)
    time.sleep(2)

    # Find all the message input fields on the page
    message_inputs = driver.find_elements_by_xpath("//div[contains(@class, 'msg-form__contenteditable')]")
    count = 0

    for input_field in message_inputs:
        if count >= max_messages:
            break

        try:
            input_field.send_keys(message)
            time.sleep(1)
            input_field.send_keys(Keys.ENTER)
            count += 1
            time.sleep(1)
        except Exception as e:
            print(f"Failed to send message: {e}")

  print(f"Sent {count} personalized messages.")

Putting it All Together

Finally, let's integrate all the functions and execute our bot

if __name__ == "__main__":
    username = "[email protected]"
    password = "your_linkedin_password"
    keyword = "software engineer"  # Search keyword for connection requests
    message = "Hello! I found your profile interesting and would like to connect."

    driver = setup_driver()
    login(driver, username, password)

    # Send connection requests
    send_connection_requests(driver, keyword, max_requests=10)

    # Send personalized messages
    send_personalized_messages(driver, message, max_messages=5)

  driver.quit()

Conclusion

In this blog, we have learned how to build a Python bot for LinkedIn to automate connection requests and sending personalized messages. By automating these networking tasks, you can save time and effort, allowing you to focus on building meaningful professional relationships and expanding your network more efficiently. However, it's essential to use automation responsibly and avoid any actions that violate LinkedIn's terms of service. Happy networking!

Please note that LinkedIn's terms of service and platform behavior may change over time, so it's crucial to stay updated and comply with any changes they make to avoid potential account restrictions. Always use automation responsibly and ethically.