DEV Community

Cover image for Building a Powerful Inventory Management System with Python
Manav Codaty
Manav Codaty

Posted on

Building a Powerful Inventory Management System with Python

Introduction


Keeping track of your inventory can be a daunting task, especially as your business grows. A well-designed inventory management system can streamline operations, save costs, and improve efficiency. In this article, we'll guide you through building a basic inventory management system using Python, a versatile and beginner-friendly language.

Prerequisites


  • Basic understanding of Python programming
  • Text editor or IDE (Integrated Development Environment) like PyCharm or Visual Studio Code

Step 1: Defining the System Requirements


Before diving into code, consider what functionalities your system needs. Here are some key features:

  • Product information: Store details like product name, ID, description, unit price, and quantity.
  • Inventory management: Add, edit, and delete products from the system.
  • Stock tracking: Monitor inventory levels and identify low stock items.
  • Reporting: Generate reports on inventory status, sales trends, and reorder points.

Step 2: Choosing a Data Storage Solution


For storing your inventory data, you have several options:

  • Simple text files: Suitable for small inventories, but can be cumbersome to manage for larger datasets.
  • CSV files: Offer a structured format for easy import and export.
  • Databases: Ideal for larger and more complex inventories, providing efficient data storage and retrieval. Popular options include SQLite (lightweight) and MySQL (scalable).

Step 3: Building the Core Functionality


Here's a basic outline of the core functionalities using Python:

# Define a product class
class Product:
    def __init__(self, id, name, description, price, quantity):
        self.id = id
        self.name = name
        self.description = description
        self.price = price
        self.quantity = quantity

# Functions for CRUD operations (Create, Read, Update, Delete)
def add_product(product):
    # Add product details to the data storage (e.g., text file, CSV, or database)

def edit_product(product_id):
    # Edit existing product details

def delete_product(product_id):
    # Remove product from the data storage

def get_all_products():
    # Retrieve all products from the data storage

def get_product_by_id(product_id):
    # Search for a specific product by ID

# Implement functionalities like stock tracking and reporting based on your requirements

Enter fullscreen mode Exit fullscreen mode

Here is another example using a 2D list as the data storage solution:

import time

import random

global item_id
item_id = 1

global products
products = [["1","chips",15,"solid","20g",12]]


#menu for navigation
def start():
    print("")
    print("Welcome to Inventory Manager")
    print("Enter 1 to view items")
    print("Enter 2 to add an item")
    print("Enter 3 to remove an item")
    print("Enter 4 to update an item")
    print("Enter 5 to search an item")
    print("Enter 6 to exit")


    choice = int(input("Enter your choice: "))

    if choice == 1:
        print_items()
    elif choice == 2:
        add()
    elif choice == 3:
        remove()
    elif choice == 4:
        update()
    elif choice == 5:
        search()
    elif choice == 6:
        print("Thank you for using Inventory Manager")




def search():
    #code to search item
    print("Enter item name to search: ")
    item_name = input("")
    for i in range(len(products)):
        if products[i][1] == item_name:
            print("Item found:")
            print(products[i])
            time.sleep(1)
            start()


    print("Item not found")
    input("Press enter to continue...")
    start()


def update():
    #code to update item
    print("Enter item name to update: ")
    item_name = input("")
    for i in range(len(products)):
        if products[i][1] == item_name:
            print("Enter new details of",item_name)
            products[i][0] = item_id + 1
            products[i][1] = input("Enter new name: ")
            products[i][2] = int(input("Enter new quantity: "))
            products[i][3] = input("Enter new type: ")
            products[i][4] = int(input("Enter new weight: "))
            products[i][5] = float(input("Enter new price: "))
            print("Item updated successfully")
            input("Press enter to continue...")
            start()
    print("Item not found")
    input("Press enter to continue...")
    start()


def check_unique():
        for product in products:
            if product[0] == item_id:
                print("Item ID already exists, please enter a unique ID")
                input("Press enter to continue...")
                add()
        print("Item number accepted")     




def add():
    #code to add item
    global item_id 
    check_unique()
    global item_name 
    item_name = input("Enter item name: ")
    global item_quantity 
    item_quantity = int(input("Enter item quantity: "))
    global item_type 
    item_type = input("Enter item type: ")
    global item_weight
    item_weight = float(input("Enter item weight: "))
    global item_price 
    item_price = float(input("Enter item price: "))

    products.append([item_id,item_name,item_quantity,item_type,item_weight,item_price])
    item_id += 1
    print("Item added successfully")
    input("Press enter to continue...")
    start()


def remove():
    #code to remove item
    print("Enter item name to remove: ")
    remove = input("")
    def search_1 (arr, target):
        for i in range(len(arr)):
            for j in range(len(arr[i])):
                if (arr[i][j] == target):
                    del(products[i])
                    print(f"Item {target} removed successfully")
                    input("Press enter to continue...")
                    start()
        print("Item not found")

    # Driver code
    arr = products
    target = remove

    search_1(arr, target)


def print_items():
    #code to print all items
    print("All items:")

    for i in products:
        for j in products:
            print(products[i][j], end="|")
    input("Press enter to continue...")
    start()


start()  
Enter fullscreen mode Exit fullscreen mode

Step 4: User Interface (Optional)


While a command-line interface can suffice for basic functionalities, consider building a user-friendly interface for better user experience. Libraries like Tkinter or PyQt can be used to create graphical interfaces in Python.

Step 5: Testing and Deployment


Thoroughly test your system to ensure it functions as expected. Deploy your system to a suitable environment, considering factors like scalability and security.

Remember:


  • This is a basic example, and you can customize it based on your specific needs.
  • Consider error handling, data validation, and security measures for a robust system.
  • Explore advanced features like reorder point calculations, sales integration, and user authentication.

Building an inventory management system with Python empowers you to manage your stock efficiently and gain valuable insights into your business operations. Start with the basic functionalities and gradually enhance your system as your needs evolve.

Top comments (0)