Answers for "find python"

22

python find in list

# There is several possible ways if "finding" things in lists.
'Checking if something is inside'
3 in [1, 2, 3] # => True
'Filtering a collection'
matches = [x for x in lst if fulfills_some_condition(x)]
matches = filter(fulfills_some_condition, lst)
matches = (x for x in lst if x > 6)
'Finding the first occurrence'
next(x for x in lst if ...)
next((x for x in lst if ...), [default value])
'Finding the location of an item'
[1,2,3].index(2) # => 1
[1,2,3,2].index(2) # => 1
[1,2,3].index(4) # => ValueError
[i for i,x in enumerate([1,2,3,2]) if x==2] # => [1, 3]
Posted by: Guest on April-10-2020
4

find in python

def find_all_indexes(input_str, search_str):
    l1 = []
    length = len(input_str)
    index = 0
    while index < length:
        i = input_str.find(search_str, index)
        if i == -1:
            return l1
        l1.append(i)
        index = i + 1
    return l1


s = 'abaacdaa12aa2'
print(find_all_indexes(s, 'a'))
print(find_all_indexes(s, 'aa'))
Posted by: Guest on February-16-2020
0

função find python

>>> fruta = "banana"
>>> fruta[:3]
'ban'
>>> fruta[3:]
'ana'
Posted by: Guest on December-31-2020
0

find python

def find_all_indexes2(input_str, search_str):
    indexes = []
    index = input_str.find(search_str)

    while index != -1:
        indexes.append(index)
        index = input_str.find(search_str, index+1)

    return indexes

print(find_all_indexes2("Can you can a can as a canner can can a can", "can"))
# returns [8, 14, 23, 30, 34, 40]
# Note: Capital "Can" was not found
Posted by: Guest on April-04-2021

Python Answers by Framework

Browse Popular Code Answers by Language