Custom len() Function In Python

Hafeezul Kareem
Updated on 25-Mar-2026 06:04:47

870 Views

The len() function in Python returns the number of items in an object. You can create a custom version by iterating through any iterable and counting its elements. How len() Works Internally Python's built-in len() function calls the __len__() method of an object. For custom implementation, we iterate through elements and count them manually. Creating a Custom Length Function Basic Implementation Here's how to implement a custom length function using iteration − def custom_length(iterable): """Calculate length of any iterable by counting elements""" count = 0 ... Read More

Why importing star is a bad idea in python

Hafeezul Kareem
Updated on 25-Mar-2026 06:04:26

592 Views

Importing all methods from a module using from module import * (star import) is considered a bad practice in Python for several important reasons. Problems with Star Imports Star imports create the following issues ? Namespace pollution − All module functions are imported into the current namespace Name conflicts − Imported functions can override your local functions Unclear code origin − Difficult to identify which module a function belongs to IDE limitations − Code editors cannot provide proper autocompletion and error detection Creating the Sample Module First, let's create a simple module file ... Read More

Ways to increment a character in python

Hafeezul Kareem
Updated on 25-Mar-2026 06:04:02

13K+ Views

In this tutorial, we are going to see different methods to increment a character in Python. Characters cannot be directly incremented like integers, so we need to convert them to their ASCII values first. Why Direct Increment Fails Let's first see what happens if we try to add an integer to a character directly without proper conversion ? # str initialization char = "t" # try to add 1 to char char += 1 # gets an error If you execute the above program, it produces the following result − ... Read More

What are the tools that help to find bugs or perform static analysis in Python?

Sri
Sri
Updated on 25-Mar-2026 06:03:43

2K+ Views

Python offers several static analysis tools to help developers find bugs, enforce coding standards, and improve code quality. The most popular tools are Pylint, Flake8, and PyChecker, each with unique features for code analysis. Pylint Pylint is a highly configurable static code analysis tool that checks for programming errors, enforces coding standards, and provides detailed reports on code quality ? Features Detects programming errors and potential bugs Enforces PEP 8 coding standards Checks variable naming conventions Measures code complexity and line length Integrates with IDEs like PyCharm, VS Code, and Eclipse Installation ... Read More

What is lambda binding in Python?

Sri
Sri
Updated on 25-Mar-2026 06:03:25

817 Views

Lambda binding in Python refers to how variables are captured and bound when creating lambda functions. Understanding this concept is crucial for avoiding common pitfalls when working with closures and lambda expressions. What is Lambda Binding? When a lambda function is created, it captures variables from its surrounding scope. However, the binding behavior depends on when and how the variable is referenced ? def create_functions(): functions = [] for i in range(3): functions.append(lambda: i) # Late binding ... Read More

Is Python Object Oriented or Procedural?

Sri
Sri
Updated on 25-Mar-2026 06:03:05

5K+ Views

Python is a multi-paradigm programming language that supports both Object-Oriented Programming (OOP) and Procedural Programming. As a high-level, general-purpose language, Python allows developers to choose the programming style that best fits their needs. You can write programs that are largely procedural, object-oriented, or even functional in Python. The flexibility to switch between paradigms makes Python suitable for various applications, from simple scripts to complex enterprise systems. Object-Oriented Programming in Python Python supports all core OOP concepts including classes, objects, encapsulation, inheritance, and polymorphism. Here's an example demonstrating OOP principles ‒ class Rectangle: ... Read More

How To Do Math With Lists in python ?

Sri
Sri
Updated on 25-Mar-2026 06:02:49

10K+ Views

Lists in Python can be used for various mathematical operations beyond just storing values. Whether calculating weighted averages, performing trigonometric functions, or applying mathematical operations to collections of data, Python's math module combined with list operations provides powerful computational capabilities. Basic Math Operations with Single Values The math module provides functions for common mathematical operations ? import math data = 21.6 print('The floor of 21.6 is:', math.floor(data)) print('The ceiling of 21.6 is:', math.ceil(data)) print('The factorial of 5 is:', math.factorial(5)) The floor of 21.6 is: 21 The ceiling of 21.6 is: 22 The ... Read More

How does Python's super() work with multiple inheritance?

SaiKrishna Tavva
Updated on 25-Mar-2026 06:02:25

1K+ Views

Python supports a feature known as multiple inheritance, where a class (child class) can inherit attributes and methods from more than one parent class. This allows for a flexible and powerful way to design class hierarchies. To manage this, Python provides the super() function, which facilitates the calling of methods from a parent class without explicitly naming it. The super() function follows Python's Method Resolution Order (MRO) to determine which method to call in complex inheritance hierarchies. Understanding Multiple Inheritance In multiple inheritance, a child class can derive attributes and methods from multiple parent classes. This can ... Read More

What is the difference between del, remove and pop on lists in python ?

Sri
Sri
Updated on 25-Mar-2026 06:01:59

653 Views

When working with Python lists, you have three main methods to remove elements: remove(), del, and pop(). Each method serves different purposes and behaves differently depending on your needs. Using remove() The remove() method removes the first matching value from the list, not by index but by the actual value ? numbers = [10, 20, 30, 40] numbers.remove(30) print(numbers) [10, 20, 40] If the value doesn't exist, remove() raises a ValueError ? numbers = [10, 20, 30, 40] try: numbers.remove(50) # Value not in ... Read More

How are arguments passed by value or by reference in Python?

Sri
Sri
Updated on 25-Mar-2026 06:01:37

14K+ Views

Python uses a mechanism known as Call-by-Object, sometimes also called Call by Object Reference or Call by Sharing. Understanding how arguments are passed is crucial for writing predictable Python code. If you pass immutable arguments like integers, strings or tuples to a function, the passing acts like Call-by-value. It's different when we pass mutable arguments like lists or dictionaries. Immutable Objects (Call-by-value behavior) With immutable objects, changes inside the function don't affect the original variable ? def modify_number(x): x = 100 print("Inside function:", x) num = ... Read More

Advertisements