6 Python Task Automation Ideas - Guide with Examples

Ewelina Buturla

Python task automation featured image

Tired of performing repetitive tasks every day? Well, it can bore even the most resilient of us out of our minds.

Lucky for us, the digital age we live in offers us a bevy of tools to relieve ourselves of that sort of tedious labor. One of them is Python - a perfect programming language to start your journey with task automation.

In this article, we will share the reasons to automate tasks with Python and present six ideas with real-life examples. The first four Python automation examples are by me, and the two last, by Arzu Huseynov who worked at Monterail as a Python Developer.

If you'd like to read more about Python basics before we dive in, here's the introductory blog post for you:

What Is Python and Why Is It So Popular? [Updated 2023]

While these task automation examples are simple, they can work as a foundation if you would like to build automating Python scripts to fully perform IT automation with Python.

Table of contents:

  1. How to Start With Task Automation?
  2. Why Use Python for Task Automation?
  3. Python Use Cases - Where to Start?
  4. What To Do With Python? Automation Scripts Ideas
  5. Take Your Python Automation To The Next Level
  6. Further Recommended Read

How to Start With Task Automation?

First of all, I’m here to tell you that automation is definitely for you, even if you’re a complete newbie to the field.

Even though it might seem daunting at first, I promise you that building your first script will feel very rewarding and your new skills will save you lots of time in the long run.

Python Automation Checklist

Here's a brief step-by-step guide to Python automation: 

  1. Start by thinking about repetitive tasks your workday entails.
  2. Identify those that you think could be automated.
  3. Divide your workload into smaller sub-tasks.
  4. Think of ways you could automate at least some of them.

Once you find a suitable task, you have to choose the right tool.

It shouldn't come out as a surprise that the "tool" I'm going to explore is Python (speaking from a Python developer's perspective). Among the sheer diversity of languages available, Python is relatively easy to learn and has proven itself useful in a variety of fields.

Why Use Python For Task Automation?

Python offers great readability and approachable syntax. The latter resembles plain English, which makes it an excellent choice to start your journey with.

When compared with other languages, Python clearly stands out as one of the simplest in the bunch.

Look at this example of code written in C++ and Python.

Sample code in C++

Sample code in C++

The same function in PythonIn Python, the same functionality took fewer lines written in simpler, friendlier syntax. 

The advantages of Python I mentioned above make the learning process fast and pleasant. With little time and effort, you will gain enough knowledge to write simple scripts. This smooth learning curve significantly speeds up development, even for experienced developers.

Learning curve for Python vs other programming languages.

The learning curve for Python vs. other programming languages

Another thing that may convince you to use Python is that it comes with great data structure support.

Data structures enable you to store and access data, and Python offers many types thereof by default, including lists, dictionaries, tuples, and sets. These structures let you manage data easily, efficiently, and, when chosen correctly, increase software performance. Furthermore, the data is stored securely and in a consistent manner.

Even better, Python lets you create your own data structures, which, in turn, makes the language very flexible. While data structures may not seem all that important to a newcomer, trust me on this — the deeper you go, the more important your choice of data structure tends to become. 

You can automate nearly everything with Python. From sending emails and filling out PDFs and CSVs (if you are not familiar with this file format I advise you to check it, it’s for example used by Excel) to interacting with external APIs and sending HTTP requests. Whatever your idea is, it’s more than likely that you can pull it off using Python along with its modules and tools.

Tons of libraries created for Python make the language really powerful, allowing developers to tackle everything from machine learning and web scraping to managing your computer’s operating system.

Python Use Cases - Where to Start?

As you may be able to grasp from this introduction, Python is a versatile programming language that can be used in a wide range of areas and industries. Some of the examples include:

  • Web Development
  • Testing
  • Web Scraping
  • Data Analysis
  • Computer Graphics
  • Machine Learning
  • Big Data
  • Internet of Things
Python Automation - Where Python Finds Its Use

Where Python finds its use

If you'd like to know more about possible uses for Python, read this article from our blog:

When to Use Python and How Can It Benefit Your Business?

Python’s strengths also include a decent support structure and a large community of enthusiasts.

The language continues to grow in popularity and articles covering basically all of the concepts underpinning the language keep popping up on the Web — a cursory search is bound to yield some pretty interesting blog or StackOverflow posts, and if it doesn’t, you can always post a question or problem you have to any one of the Python forums around the Web. Trust me, you won’t stay alone with your problem for long.

Python has a great community around it and the language itself is in constant development. Plus, there are new third-party libraries showing up all the time.

Far from a darling of the software development community, Python has found use across a number of professions and industries, including science, data analysis, mathematics, networking, and more.

What To Do with Python? Automation Scripts Ideas

Here's my response: with a little bit of work, basically, any repetitive task can be automated using Python.

To do that, you only need Python on your computer (all of the examples here were written in Python 3) and the libraries for a given problem. I’m not going to teach you Python, just show you that automation is easy with it. In the examples below, I used iPython, which is a tool that helps to write the code interactively, step by step.

For simple automation tasks, Python’s built-in libraries should be enough. In other cases, I will let you know what should be installed.

1. Reading (and writing) files

Reading and writing files is a task that you can efficiently automate using Python. To start, you only need to know the location of the files in your filesystem, their names, and which mode you should use to open them.

In the example below, I used the with statement to open a file — an approach I highly recommend. Once the with block code is finished, the file is closed automatically and the cleanup is done for us. You can read more about it in the official documentation.

Let’s load the file using the open() method. Open() takes a file path as the first argument and opening mode as the second. The file is loaded in read-only mode (‘r’) by default. To read the entire content of a file, use the read() method.


In [1]: with open(“text_file.txt”) as f:
   ...:     print(f.read())                
   ...:  
   
A simple text file.
With few lines.
And few words.

To read the content line by line, try the readlines() method — it saves the contents to a list.


In [2]: with open(“text_file.txt”) as f:
   ...:     print(f.readlines())                
   ...:  
[“A simple text file.”,  “With few lines.”, “And few words.”]

You can also modify the contents of a file. One of the options for doing so is loading it in write (‘w’) mode. The mode is selected via the second argument of the open() method. But be careful with that, as it overwrites the original content!


In [3]: with open(“text_file.txt”, “w”) as f:
    ...:     f.write(“Some content”)          
    ...: 
In [4]: with open(“text_file.txt”) as f:
    ...:     print(f.read())          
    ...: 
Some content

One great solution is to open the file in append (‘a’) mode, which means that new content will be appended to the end of the file, leaving the original content untouched.


In [5]: with open(“text_file.txt”, “a”) as f:
    ...:     f.write(“Another line of content”)          
    ...: 
In [6]: with open(“text_file.txt”) as f:
    ...:     print(f.read())          
    ...: 
Some content
Another line of content

As you can see, reading and writing files is super easy with Python. Feel free to read more about the topic, especially the modes of opening files because they can be mixed and extended! Combining writing to a file with Web scraping or interacting with APIs provides you with lots of automating possibilities! As a next step, you could also check a great library, csv, which helps with reading and writing CSV files.

2. Sending emails

Another task that can be automated with Python is sending emails. Python comes bundled with the great smtplib library, which you can use to send emails via the Simple Mail Transfer Protocol (SMTP). Read on to see how simple it is to send an email using the library and Gmail’s SMTP server. You will need an email account in Gmail, naturally, and I strongly recommend you create a separate account for the purpose of this script. Why? Because you’ll need to set the Allow less secure apps option to ON, and this makes it easier for others to gain access to your private data. Set up the account now and let’s jump into code once you’re done.

First of all, we will need to establish an SMTP connection.

In [1]: import getpass                                                                                             
In [2]: import smtplib                                                                        
In [3]: HOST = “smtp.gmail.com”                                                                                     
In [4]: PORT = 465
In [5]: username = “[email protected]”                                                                             
In [6]: password = getpass.getpass(“Provide Gmail password: “)
Provide Gmail password:
In [7]: server = smtplib.SMTP_SSL(HOST, PORT)

The requisite, built-in modules are imported at the beginning of the file, we use getpass to securely prompt for the password and smtplib to establish a connection and send emails. In the following steps, the variables are set. HOST and PORT are both required by Gmail — they’re the constants, which is why they’re written in uppercase.

Next, you provide your Gmail account name that will be stored in the username variable and type in the password. It’s good practice to input the password using the getpass module. It prompts the user for a password and does not echo it back after you type it in. Then, the script starts a secure SMTP connection, using the SMTP_SSL() method. The SMTP object is stored in the server variable.

In [8]: server.login(username, password)                               
Out[8]: (235, b’2.7.0 Accepted’)
In [9]: server.sendmail(
  ...:     “[email protected]”,       
  ...:      “[email protected]”,
  ...:     “An email from Python!”,
  ...:     )
Out[9]: {}
In [8]: server.quit()                          
Out[8]: (221, b’2.0.0 closing connection s1sm24313728ljc.3 - gsmtp’)

Finally, you authenticate yourself using the login() method and… that’s it! From now on, you will be able to send emails with the sendmail() method. Please remember to clean up afterward, using the quit() method.

3. Web scraping

Web scraping allows you to extract data from Web pages and save it on your hard drive. Imagine your workday involves pulling data from a website you visit every day. Scraping could be of much help in such a case, as once code is written it can be run many times, making it especially useful when handling large amounts of data. Extracting information manually takes a lot of time and a lot of clicking and searching.

With Python, it couldn’t be easier to scrape data from the Web. But in order to analyze and extract data from HTML code, the target page has to be downloaded first. The requests library will do the job for us, but you need to install it first. Simply type the following in your console:

pip install requests

(for more details, check the official documentation: https://requests.readthedocs.io/en/master/user/install/#install)

With the page downloaded, we can now extract the actual data we want. This is where BeautifulSoup comes in. The library helps with parsing and pulling data from structured files. Naturally, the library also has to be installed first. Like before, type the following in your console:

pip install beautifulsoup4

(for more details, check the official documentation)

Let’s run through a rather simple example to see how the automation bit works here. The HTML code of a webpage we selected for parsing is really brief, and small given that its purpose is to show what week of the year it is. See it here: What Week Is It.

To inspect the HTML code, simply right-click anywhere on the page and choose View page source. Then run the interactive Python (by simply typing ipython in the console) and let’s start fetching the page using requests:


In [1]: import requests                                                                                             
In [2]: response = requests.get("https://whatweekisit.com/")                                                       
In [3]: response.status_code
Out[3]: 200

With that done, the page is then downloaded and stored in a response variable. If you want to see its contents, type response.content in the interactive terminal. The HTTP status code 200 tells us that the request succeeded.

Now it’s time for BeautifulSoup to do its job. We start with importing the library and then creating a BeautifulSoup object called soup. The soup object is created with the fetched data as an input. We also let the library know which parser should be utilized, with html.parser for HTML pages, obviously.


In [4]: from bs4 import BeautifulSoup                          
In [5]: soup = BeautifulSoup(response.content, "html.parser")  
In [6]: soup                                                                      
Out[6]: 

<html><head><meta content="text/html; charset=utf-8" http-equiv="Content-Type"/>

The HTML document is now saved in the soup object. It’s represented as a nested structure (its fragment is printed above). There are several ways to navigate through the structure. A few of them are shown below.

In [7]: soup.title                                   
Out[7]: <title>What week of the year is it?</title>
In [8]: soup.title.string                            
Out[8]: 'What week of the year is it?'
In [9]: soup.find_all("p")
Out[9]: 
[<p>This single serving app calculates the week of the year and day of the year for the current day and for any day which you specify.
 Select a date from the calendar to see this in action.</p>,
 <p>Please note that this site uses the ISO week date system. This is used primarily for financial and government timekeeping. For mor
e information, please refer to this <a href="https://en.wikipedia.org/wiki/ISO_week_date" target="_blank">Wikipedia article</a>.</p>]

You can easily extract the title of the page or find all the <p> tags in the data. The best way to get a feeling for it is to fiddle with the object yourself.

Let’s try to extract the information we wanted at the very beginning. What week of the year is it? Studying the HTML code, we will see that the information is hidden in a table, under the <table> tag. We can extract the table from the soup object and save it in a variable using find().

With the table saved, it's really easy to get all the <td> tags that store the information. Invoking find_all() on table_content returns a list of <td> tags.

And to print them in a nice-looking format, simply iterate over the list and get_text() from each item.

In [10]: table = soup.find("table")
In [11]: table
Out[11]: 
<table border="0" class="box">
<tbody><tr><th colspan="2">Current date info</th></tr>
<tr><td>Today's date is:</td><td><b>Wednesday, April 15th, 2020</b></td></tr>
<tr><td>Week of the year:</td><td><b>16 of 53</b></td></tr>
<tr><td>Day of the year:</td><td><b>106 of 366</b></td></tr>
</tbody></table>

In [12]: table_content = table.find_all("td")        
In [13]: for tag in table_content: 
    ...:     print(tag.get_text())                  
    ...:    
Today's date is:
Wednesday, April 15th, 2020
Week of the year:
16 of 53
Day of the year:
106 of 366

With help from the marvelous BeautifulSoup library and a few straightforward steps, we were able to extract interesting content from the page using just a few commands. I strongly encourage you to read more about the library! It’s really powerful, especially when working with larger and more nested HTML documents.

4. Interacting with an API

Interacting with APIs gives you superpowers! For a simple example of this particular application, let’s try to pull air quality data updates from the Web.

There are multiple APIs available, but the Open AQ Platform API seems the nicest option, mostly because it does not require authentication (the relevant documentation can be found here: Open AQ Platform API). When queried, the API provides air quality data for the given location.

I used the requests library to fetch the data, the same way we did it in the previous example.


In [1]: import requests
In [2]: response = requests.get("https://api.openaq.org/v1/measurements?city=Paris&parameter=pm25")
In [3]: response.status_code
Out[3]: 200
In [4]: response_json = response.json() 

The code above pulled air quality data for Paris, looking only for the PM25 value. You can customize the search however you wish—simply refer to the API documentation if you want to dive a little deeper into the matter.

The script then stored the pulled data in key-value JSON format, which is cleaner and improves readability. It was achieved thanks to the json() method invoked on the response object. You can see a chunk of the response below.

In [5]: response_json                                              
Out[5]: 
{'meta': {'name': 'openaq-api',
  'license': 'CC BY 4.0',
  'website': 'https://docs.openaq.org/',
  'page': 1,
  'limit': 100,
  'found': 53396},
 'results': [{'location': 'Paris',
   'parameter': 'pm25',
   'date': {'utc': '2020-05-05T09:00:00.000Z',
    'local': '2020-05-05T04:00:00+02:00'},
   'value': 17.2,
   'unit': 'µg/m³',
 'coordinates': {'latitude': 48.8386033565984,   'longitude': 2.41278502161662},
   'country': 'FR',
   'city': 'Paris'},

The exact values pulled are hidden under the results key, with the latest pulls sitting near the top of the list, meaning that we can get the most recent value by accessing the first element of the list with index zero. The code below gets us the PM25 concentration in the air in Paris for May 5, 2020.

In [6]: response_json["results"][0]                                 
Out[6]: 
{'location': 'FR04329',
 'parameter': 'pm25',
 'date': {'utc': '2020-05-05T04:00:00.000Z',
  'local': '2020-05-05T06:00:00+02:00'},
 'value': 17.2,
 'unit': 'µg/m³',
 'coordinates': {'latitude': 48.8386033565984, 'longitude': 2.41278502161662},
 'country': 'FR',
 'city': 'Paris'}

5. Efficiently downloading thousands of images from the internet

This example and the next were kindly provided by our senior Python developer, Arzu Huseynov. 

A couple of lines of Python code can help you to automate this huge task in a matter of minutes thanks to the Python community and the creators of this language. A more simplistic approach will help you to download one image at a time. But with help of the Multithreading concept, you can download images parallelly. This saves you a lot of time.

Let’s start out by importing the following libraries:

  • uuid - This is a built-in library to generate random uuid values. We will use these random values in our program to generate image names. Since we don’t need to override images with duplicate names, we need to make sure that our image names are unique.
  • requests - You can simply download the requests library from PyPI. Downloading libraries is not in the scope of this blog post but you can find details on here.
  • concurrent.futures - With this built-in library, we’ll use the threading pool functionality of Python.
from typing import List
import uuid
import requests
import concurrent.futures
Next step is to create a list of the image sources. 
urls: List = [
   “https://www.monterail.com/image.jpg”,
   “https://www.monterail.com/image_2.jpg”,
]

Next, we create a simple python function. This function will download the images, generate new names and save them.

Additionally, for every successful job, it will print a message, which is useful for logging.

Additionally, for every successful job, it will print a message, which is useful for logging. 

def save_image(url: str) -> None:
   img_content = requests.get(url).content
   img_name = f'img_{str(uuid.uuid4())}.jpg'
   with open(img_name, 'wb') as img_file:
       img_file.write(img_content)
       print(f'{img_name} was downloaded...')
with concurrent.futures.ThreadPoolExecutor() as executor: for url in urls: executor.submit(save_image, url)


As mentioned before, we used multithreading, which exponentially saves time the more images we work with. Learn more why: Multiprocessing vs Multithreading in Python – Explained With Cooking

6. Google Search automation

Google search is probably something that we all use every day. If you have to deal with some repetitive searches like checking your company's SEO performance, collecting data, etc, the googlesearch-python library can help you to achieve your goals.

In the program below, we’ll look for up to 10 exact matches of “Python Development Monterail” in a set of pages.

Let’s start with importing the library.

from googlesearch import search

Next, we use the search function of the googlesearch library. As you can see, we can customize the results with num_results and lang arguments.

results = search(term="Python Development Monterail", num_results=10, lang="en")

Since the search function generates a generator object, we'll convert it to the list.

results = list(results)

When you print the results list, it shows the search results for our keyword. 

print(results)

[
   "https://www.monterail.com/services/python-development-services",
   "https://www.monterail.com/careers/python-developer-wroclaw",
   "https://www.monterail.com/blog/topic/python",
   "https://www.monterail.com/blog/what-its-like-to-be-a-python-developer-in-monterail",
   "https://www.monterail.com/blog/python-for-mobile-app-development",
   "https://apply.workable.com/monterail/j/F5F19D831D/",
   "https://bulldogjob.pl/companies/jobs/81190-senior-python-developer-wroclaw-monterail",
   "https://pl.linkedin.com/in/artur-pietracha-b216b641",
   "https://www.facebook.com/monterail",
   "https://fi.talent.com/view?id=1abad4456af7",
] 

This can save you time especially if you constantly search for exactly the same keywords on google. With a little bit of creativity and enthusiasm, your boring daily stuff can be really fun.

P.S Python is much more than automation. See how we helped Avisio deliver the MVP in 4 months. Read the whole case study below:

Cta image

Take Your Python Automation To The Next Level

Hopefully, after spending a few minutes of your life reading this article, you will realize that tons of tasks your daily life involves can be easily automated away, even without broad programming knowledge.

If that's not enough for you and you feel like creating some more automation, there are multiple sources on the Web that will offer you a deeper dive into the subject.

One book I strongly recommend is Al Sweigart's Automate the Boring Stuff with Python: Practical Programming for Total Beginners. It provides a great set of automation examples with a hint of theory behind them. It will give you a much deeper view of Python’s capabilities and improve your knowledge of the language at the same time.

And remember—never spend precious time on repetitive, tedious tasks that can be easily automated!

  1. What Is Python and Why Is It so Popular?
  2. When to Use Python and How Can It Benefit Your Business?
  3. What It’s Like To Be a Python Developer in Monterail
  4. Django vs Node.js: When to Choose Which Framework
  5. Flask vs Django – Which Python Framework To Choose and When?
  6. Five Reasons to Choose Python for Finance and Fintech
  7. Python for Mobile App Development – Is It a Good Choice?
  8. Why Is Python Used for Machine Learning?
  9. Is Python Slow?
Ewelina Buturla avatar
Ewelina Buturla