I want to count the depth in a list of lists, so not the amount of elements but the maximum depth one list can have.
This is my function:
JavaScript
x
4
1
def max_level(lst):
2
3
print(max_level([1, [[[2, 3]]], [[3]]])))
4
should return 4
Advertisement
Answer
You can try:
JavaScript
1
5
1
def max_level(lst):
2
return isinstance(lst, list) and max(map(max_level, lst)) + 1
3
4
print(max_level([1, [[[2, 3]]], [[3]]]))
5
Output:
JavaScript
1
2
1
4
2
Explanation:
- First check if object passed into the recursive function is of type
list
:
JavaScript
1
3
1
def max_level(lst):
2
return isinstance(lst, list)
3
- If so, proceed to add up the
True
s in the list:
JavaScript
1
2
1
and max(map(max_level, lst)) + 1
2
where the max(map(max_level, lst))
returns the current amount of True
s, and the + 1
is to add one more.
If there can be empty lists, you can replace lst
with lst or [0]
, where the or
will tell python to use the list on the left side of it if its not empty, else use the [0]
:
JavaScript
1
5
1
def max_level(lst):
2
return isinstance(lst, list) and max(map(max_level, lst or [0])) + 1
3
4
print(max_level([1, [], [[]]]))
5
Output:
JavaScript
1
2
1
3
2
Addressing @cdlane’s comment, if you don’t want to mix boolean values with integer values, you can add an int()
wrapper to the isinstance()
call:
JavaScript
1
3
1
def max_level(lst):
2
return int(isinstance(lst, list)) and max(map(max_level, lst or [0])) + 1
3