Home >Backend Development >Python Tutorial >How Can I Efficiently Interleave Unequal-Length Lists in Python?
Pythonic Interleaving of Unequal-Length Lists
The Pythonic solution to interweaving two lists of different lengths is more efficient and elegant than the provided loop approach. By taking advantage of slicing, the task can be accomplished in a single line of code.
Consider the following example, where the first list contains one more item than the second:
list1 = ['f', 'o', 'o'] list2 = ['hello', 'world']
The desired output is:
['f', 'hello', 'o', 'world', 'o']
Using slicing, this can be achieved as follows:
result = [None]*(len(list1)+len(list2)) result[::2] = list1 result[1::2] = list2
This approach creates a new list, result, that has enough space to accommodate the elements from both input lists. The slicing operators [::2] and [1::2] assign every other element to the corresponding input list.
The result is a new list that alternates elements from both input lists, as desired. This method is more concise, efficient, and Pythonic than the loop approach.
The above is the detailed content of How Can I Efficiently Interleave Unequal-Length Lists in Python?. For more information, please follow other related articles on the PHP Chinese website!