Given list of tuples, check if preceding element is smaller than the current element for each element in Tuple list.
Input : test_list = [(5, 1), (4, 9), (3, 5)]
Output : [[False, False], [False, True], [False, True]]
Explanation : First element always being False, Next element is checked for greater value.
Input : test_list = [(1, 8), (2, 2), (3, 6), (4, 2)]
Output : [[False, True], [False, False], [False, True], [False, False]]
Explanation : 8 and 6 are greater cases in above cases, hence True.
Method #1 : Using list comprehension + enumerate() The combination of above functions can be used to solve this problem. In this, we perform the task of checking for greater value using one liner list comprehension and enumerate() is used to work with indices while nested iteration.
Python3
# Python3 code to demonstrate working of
# Test if greater than preceding element in Tuple List
# Using list comprehension + enumerate()
# initializing list
test_list = [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
# printing original list
print("The original list : " + str(test_list))
# Test if greater than preceding element in Tuple List
# Indices checked using enumerate() and True and false
# values assigned in list comprehension
res = [[True if idx > 0 and j > i[idx - 1] else False
for idx, j in enumerate(i)] for i in test_list]
# printing result
print("Filtered values : " + str(res))
Output : The original list : [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
Filtered values : [[False, True, False], [False, False, True], [False, True, True]]
Time complexity: O(n^2), where n is the length of the longest tuple in the list. This is because the program iterates through each element of each tuple in the list using nested loops, and the length of the inner loop depends on the length of the longest tuple.
Auxiliary space: O(n^2), as it creates a new 2-dimensional list of the same size as the input list to store the boolean values for each element in each tuple.
Method #2 : Using tee() + zip() + list comprehension This is one of the ways in which this task can be performed. In this, we extract elements and render them in tuple of size = 2, using tee(). List comprehension and zip() are used to construct the desired result.
Python3
# Python3 code to demonstrate working of
# Test if greater than preceding element in Tuple List
# Using tee() + zip() + list comprehension
from itertools import tee
# helper function
def pair(test_list):
# pairing elements in 2 sized tuple
x, y = tee(test_list)
next(y, None)
return zip(x, y)
# initializing list
test_list = [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
# printing original list
print("The original list : " + str(test_list))
# Test if greater than preceding element in Tuple List
# Using tee() + zip() + list comprehension
res = []
for sub in test_list:
# appending result by checking with Dual Pairs
res.append(tuple((False, )) + tuple([x < y for x, y in pair(sub)]))
# printing result
print("Filtered values : " + str(res))
Output : The original list : [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
Filtered values : [[False, True, False], [False, False, True], [False, True, True]]
Time complexity: O(nm), where n is the length of the input list and m is the length of each tuple in the input list.
Auxiliary space: O(nm), where n is the length of the input list and m is the length of each tuple in the input list.
Method#3: Using a for loop and if-else statement
Python3
# initializing list
test_list = [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
# printing original list
print("The original list : " + str(test_list))
# using for loop and if-else statement
res = []
for i in test_list:
sub_list = []
for idx, j in enumerate(i):
if idx > 0 and j > i[idx - 1]:
sub_list.append(True)
else:
sub_list.append(False)
res.append(sub_list)
# printing result
print("Filtered values : " + str(res))
#This code is contributed by Vinay Pinjala.
OutputThe original list : [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
Filtered values : [[False, True, False], [False, False, True], [False, True, True]]
Time complexity: O(n)
Auxiliary Space : O(n)
Method #4: Using map() + lambda function
You can use the map() function along with a lambda function to apply the same logic used in the for loop and if-else statement in a more concise way:
Python3
# initializing list
test_list = [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
# printing original list
print("The original list : " + str(test_list))
# using map() and lambda function
res = list(map(lambda x: [x[idx] > x[idx-1] if idx > 0 else False for idx in range(len(x))], test_list))
# printing result
print("Filtered values : " + str(res))
OutputThe original list : [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
Filtered values : [[False, True, False], [False, False, True], [False, True, True]]
Time complexity: O(n*m), where n is the number of tuples in the test_list, and m is the maximum number of elements in a tuple.
Auxiliary space: O(nm), where n is the number of tuples in the test_list, and m is the maximum number of elements in a tuple.
Method #5: Using a generator expression
In this approach, the generator expression (j > i[idx - 1] for idx, j in enumerate(i) if idx > 0) generates a boolean value for each element in the tuple, indicating whether it is greater than the preceding element. The all() function is used to check if all these boolean values are true for a given tuple, and the result is stored in a list comprehension.
Python3
# Python3 code to demonstrate working of
# Test if greater than preceding element in Tuple List
# Using generator expression and all()
# initializing list
test_list = [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
# printing original list
print("The original list : " + str(test_list))
# Test if greater than preceding element in Tuple List
# Using generator expression and all()
res = [all(j > i[idx - 1] for idx, j in enumerate(i) if idx > 0)
for i in test_list]
# printing result
print("Filtered values : " + str(res))
OutputThe original list : [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
Filtered values : [False, False, True]
Time complexity: O(nm), where n is the length of the input list and m is the length of the tuples in the input list
Auxiliary space: O(n), as it creates a new list res with a length equal to the number of tuples in the input list.
Method #6: Using numpy:
Algorithm:
- Convert the given list of tuples to a NumPy array.
- Create a boolean NumPy array of the same shape as the input array, with all elements initialized to False.
- Compare each element in each row of the input array with its preceding element, using NumPy's element-wise comparison.
- Replace the first element in each row of the resulting boolean array with False, since there is no preceding element for the first element in each row.
- Return the resulting boolean array as a list of lists.
Python3
import numpy as np
test_list = [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
# printing original list
print("The original list : " + str(test_list))
arr = np.array(test_list)
res = np.hstack((np.zeros((arr.shape[0], 1), dtype=bool), arr[:, 1:] > arr[:, :-1]))
print("Filtered values : " + str(res.tolist()))
#This code is contributed by Jyothi pinjala
Output:
The original list : [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
Filtered values : [[False, True, False], [False, False, True], [False, True, True]]
Time Complexity:
Creating a NumPy array from a list takes O(n) time where n is the number of elements in the list.
Comparing each element in each row of the input array with its preceding element using NumPy's element-wise comparison takes O(m * n) time where m is the number of rows and n is the number of columns in the input array.
Replacing the first element in each row of the resulting boolean array with False takes O(m) time.
Converting the resulting boolean array to a list of lists takes O(m * n) time.
Therefore, the overall time complexity of the algorithm is O(m * n).
Auxiliary Space:
Creating a NumPy array from a list requires O(m * n) space, where m is the number of rows and n is the number of columns in the list of tuples.
Creating a boolean array of the same shape as the input array requires O(m * n) space.
Converting the boolean array to a list of lists requires O(m * n) space.
Therefore, the overall space complexity of the algorithm is O(m * n).
Method #7: Using pandas.DataFrame.diff()
- Convert the list of tuples to a pandas DataFrame using pd.DataFrame().
- Use the .diff() method with axis=1 to calculate the difference between each element in a row and the preceding element.
- Use the .gt() method to check which elements are greater than their preceding element.
- Convert the resulting DataFrame to a list of lists using .values.tolist().
Python3
import pandas as pd
# initializing list
test_list = [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
# printing original list
print("The original list : " + str(test_list))
# convert list to DataFrame
df = pd.DataFrame(test_list)
# calculate difference between elements in each row
diff = df.diff(axis=1)
# check which elements are greater than their preceding element
res = diff.gt(0)
# convert DataFrame to list of lists
res = res.values.tolist()
# printing result
print("Filtered values : " + str(res))
Output-
The original list : [(3, 5, 1), (7, 4, 9), (1, 3, 5)]
Filtered values : [[False, True, False], [False, False, True], [False, True, True]]
Time complexity: O(nm), where n is the number of rows and m is the number of elements in each row.
Space complexity: O(nm), for the pandas DataFrame and resulting list of lists.
Similar Reads
Python Tutorial - Learn Python Programming Language Python is one of the most popular programming languages. Itâs simple to use, packed with features and supported by a wide range of libraries and frameworks. Its clean syntax makes it beginner-friendly. It'sA high-level language, used in web development, data science, automation, AI and more.Known fo
10 min read
Python Interview Questions and Answers Python is the most used language in top companies such as Intel, IBM, NASA, Pixar, Netflix, Facebook, JP Morgan Chase, Spotify and many more because of its simplicity and powerful libraries. To crack their Online Assessment and Interview Rounds as a Python developer, we need to master important Pyth
15+ min read
Python OOPs Concepts Object Oriented Programming is a fundamental concept in Python, empowering developers to build modular, maintainable, and scalable applications. By understanding the core OOP principles (classes, objects, inheritance, encapsulation, polymorphism, and abstraction), programmers can leverage the full p
11 min read
Python Projects - Beginner to Advanced Python is one of the most popular programming languages due to its simplicity, versatility, and supportive community. Whether youâre a beginner eager to learn the basics or an experienced programmer looking to challenge your skills, there are countless Python projects to help you grow.Hereâs a list
10 min read
Python Exercise with Practice Questions and Solutions Python Exercise for Beginner: Practice makes perfect in everything, and this is especially true when learning Python. If you're a beginner, regularly practicing Python exercises will build your confidence and sharpen your skills. To help you improve, try these Python exercises with solutions to test
9 min read
Python Programs Practice with Python program examples is always a good choice to scale up your logical understanding and programming skills and this article will provide you with the best sets of Python code examples.The below Python section contains a wide collection of Python programming examples. These Python co
11 min read
Python Introduction Python was created by Guido van Rossum in 1991 and further developed by the Python Software Foundation. It was designed with focus on code readability and its syntax allows us to express concepts in fewer lines of code.Key Features of PythonPythonâs simple and readable syntax makes it beginner-frien
3 min read
Python Data Types Python Data types are the classification or categorization of data items. It represents the kind of value that tells what operations can be performed on a particular data. Since everything is an object in Python programming, Python data types are classes and variables are instances (objects) of thes
9 min read
Input and Output in Python Understanding input and output operations is fundamental to Python programming. With the print() function, we can display output in various formats, while the input() function enables interaction with users by gathering input during program execution. Taking input in PythonPython input() function is
8 min read
Enumerate() in Python enumerate() function adds a counter to each item in a list or other iterable. It turns the iterable into something we can loop through, where each item comes with its number (starting from 0 by default). We can also turn it into a list of (number, item) pairs using list().Let's look at a simple exam
3 min read