Get Location Data From List Comparison And Plot
In my code, the user inputs a text file which is saved as the variable 'emplaced_animals_data.' This variable has four columns (Animal ID, X location, Y location, and Z location) a
Solution 1:
See below code, I generated my own data with random numbers to mimic your data. This is just a slight modification to use numpy lists from your other question:
import numpy as np
# note that my delimiter is a tab, which might be different from yours
emplaced_animals = np.genfromtxt('animals.txt', skip_header=1, dtype=str, delimiter=' ')
listed_animals = ['cat', 'dog', 'bear', 'camel', 'elephant']
def get_specific_animals_from(list_of_all_animals, specific_animals):
"""get a list only containing rows of a specific animal"""
list_of_specific_animals = np.array([])
for specific_animal in specific_animals:
for animal in list_of_all_animals:
if animal[0] == specific_animal:
list_of_specific_animals = np.append(list_of_specific_animals, animal, 0)
return list_of_specific_animals
def delete_specific_animals_from(list_of_all_animals, bad_animals):
"""
delete all rows of bad_animal in provided list
takes in a list of bad animals e.g. ['dragonfly', 'butterfly']
returns list of only desired animals
"""
all_useful_animals = list_of_all_animals
positions_of_bad_animals = []
for n, animal in enumerate(list_of_all_animals):
if animal[0] in bad_animals:
positions_of_bad_animals.append(n)
if len(positions_of_bad_animals):
for position in sorted(positions_of_bad_animals, reverse=True):
# reverse is important
# without it, list positions change as you delete items
all_useful_animals = np.delete(all_useful_animals, (position), 0)
return all_useful_animals
emplaced_animals = delete_specific_animals_from(emplaced_animals, ['dragonfly', 'butterfly'])
list_of_elephants = get_specific_animals_from(emplaced_animals, ['elephant'])
list_of_needed_animals = get_specific_animals_from(emplaced_animals, listed_animals)
Post a Comment for "Get Location Data From List Comparison And Plot"