diff --git a/.gitignore b/.gitignore index 74d3e87..1d33ebe 100644 --- a/.gitignore +++ b/.gitignore @@ -1 +1,2 @@ database/ +exp/ diff --git a/data/convert_tblog.py b/data/convert_tblog.py new file mode 100644 index 0000000..951dbcb --- /dev/null +++ b/data/convert_tblog.py @@ -0,0 +1,138 @@ +import os +import argparse +import tensorflow as tf +import matplotlib +matplotlib.use('Agg') +import matplotlib.pyplot as plt + + +class ConvertLog: + """ + Export tensorboard logs as plots. + """ + def __init__(self, path_to_log, path_to_save, experiment_list, metric_list, combine, val_only, legend_labels, title): + """ + Constructor. + :param path_to_log: Location of the parent experiment directory + :param path_to_save: Parent directory to store the plots to + :param experiment_list: > List of experiments to convert + :param metric_list: > List of metrics to plot from tensorboard + :param combine: If combine plots across different experiments + :param val_only: If used, combines plots across experiments for val metrics only + :param legend_labels: > List of labels for the legend (one per experiment) + :param title: Title of the plot + """ + self.path_to_log = path_to_log + self.test_only = val_only + self.metric_list = metric_list + self.combine = combine + self.title = title + self.legend_labels = legend_labels + self.path_to_save = os.path.join(path_to_save, 'plots') + if not os.path.exists(self.path_to_save): + os.makedirs(self.path_to_save) + self.exp_list = experiment_list + if self.exp_list is None: + self.exp_list = os.listdir(self.path_to_log) + print('== Will be converting the following experiments\n {}'.format(self.exp_list)) + if self.combine: + print('== Will combine the plots') + self.plot_window = None + + def convert_exp(self): + """ + Convert the experiment + :return: - + """ + if self.combine: + self.create_combined_train_val_plot() + else: + for exp in self.exp_list: + tf_log = os.listdir(os.path.join(self.path_to_log, exp, 'tensorboard'))[0] + tf_log = os.path.join(self.path_to_log, exp, 'tensorboard', tf_log) + if not os.path.exists(os.path.join(self.path_to_save, exp)): + os.makedirs(os.path.join(self.path_to_save, exp)) + for metric in self.metric_list: + self.create_train_val_plot(metric, tf_log, exp) + + def create_combined_train_val_plot(self): + if not os.path.exists(os.path.join(self.path_to_save, 'combined')): + os.makedirs(os.path.join(self.path_to_save, 'combined')) + for metric in self.metric_list: + for exp_id, exp in enumerate(self.exp_list): + tf_log = os.listdir(os.path.join(self.path_to_log, exp, 'tensorboard'))[0] + tf_log = os.path.join(self.path_to_log, exp, 'tensorboard', tf_log) + self.create_train_val_plot(metric, tf_log, exp, self.title, + self.legend_labels[exp_id] if self.legend_labels else None) + + save_fig_to = os.path.join(self.path_to_save, 'combined', 'combined_train_val_{}.pdf'.format(metric)) + plt.savefig(save_fig_to, format='pdf') + plt.clf() + + def create_train_val_plot(self, field, tf_log, exp, title=None, legend_label=None): + """ + Create a plot with train and val. + :param plt: Matplotlib plot + :param field: field to plot for train and val + :param tf_log: path to tf log + :param exp: name of experiment + :param title: plot title + :param legend_label: specify legend name + :return: + """ + train, val, test, epoch = [], [], [], [] + for e in tf.train.summary_iterator(tf_log): + for v in e.summary.value: + if v.tag == 'train_{}'.format(field): + train.append(v.simple_value) + epoch.append(e.step) + if v.tag == 'val_{}'.format(field): + val.append(v.simple_value) + if v.tag == 'test_{}'.format(field): + test.append(v.simple_value) + + # save as plot + if not self.test_only: + plt.plot(epoch, train, '-', label='train {} {}'.format(field, legend_label if legend_label else '')) + plt.plot(epoch, val, '-', label='val {} {}'.format(field, legend_label if legend_label else '')) + plt.plot(epoch, test, '-', label='test {} {}'.format(field, legend_label if legend_label else '')) + plt.xlabel('Epoch') + plt.legend(loc='best') + if title: + plt.title(title) + else: + plt.title('train {0}, val {0} and test {0}'.format(field)) + + if not self.combine: + save_fig_to = os.path.join(self.path_to_save, exp, '{}_train_val_{}.pdf'.format(exp, field)) + + plt.savefig(save_fig_to, format='pdf') + plt.clf() + + +if __name__ == '__main__': + parser = argparse.ArgumentParser() + parser.add_argument("--path_to_logdir", help='Parent directory to experiment directory.', type=str, + default='/home/ankit/learning_embeddings/exp/multi_level_logs') + parser.add_argument("--path_to_save", help='Parent directory to store plots.', type=str, + default='../') + parser.add_argument("--experiment_list", help='Experiments to parse logs for.', nargs='*', default=None) + parser.add_argument("--combine", help='If used, combines plots across experiments', action='store_true') + parser.add_argument("--test_only", help='If used, combines plots across experiments for test metrics only', action='store_true') + parser.add_argument("--legend_labels", help='List of labels for the legend', nargs='*', default=None) + parser.add_argument("--title", help='List of labels for the legend', type=str, default=None) + parser.add_argument("--metric_list", help='Metrics to plot.', nargs='*', default=['macro_f1', 'micro_f1', 'loss', + 'micro_precision', 'micro_recall', + 'macro_precision', 'macro_recall']) + args = parser.parse_args() + + exp_list = ['ethec_full_resnet50_lr_0.01', 'ethec_single_thresh_full_resnet50_lr_0.01'] + clog = ConvertLog(path_to_log=args.path_to_logdir, + path_to_save=args.path_to_save, + experiment_list=args.experiment_list, + metric_list=args.metric_list, + combine=args.combine, + val_only=args.test_only, + legend_labels=args.legend_labels, + title=args.title) + clog.convert_exp() diff --git a/data/db.py b/data/db.py index 239a80e..4edb7ff 100644 --- a/data/db.py +++ b/data/db.py @@ -9,13 +9,16 @@ import torchvision from skimage import io, transform +from PIL import Image import numpy as np +import random class ETHECLabelMap: """ Implements map from labels to hot vectors for ETHEC database. """ + def __init__(self): self.family = { "Hesperiidae": 0, @@ -48,6 +51,7 @@ def __init__(self): "Apaturinae": 19, "Limenitidinae": 20 } + self.genus = { "Carterocephalus": 0, "Heteropterus": 1, @@ -74,1550 +78,1298 @@ def __init__(self): "Aporia": 22, "Catopsilia": 23, "Gonepteryx": 24, - "Sinopieris": 25, - "Mesapia": 26, - "Baltia": 27, - "Pieris": 28, - "Erebia": 29, - "Berberia": 30, - "Paralasa": 31, - "Proterebia": 32, - "Boeberia": 33, - "Loxerebia": 34, - "Proteerbia": 35, - "Lycaena": 36, - "Melitaea": 37, - "Argynnis": 38, - "Heliophorus": 39, - "Cethosia": 40, - "Childrena": 41, - "Argyronome": 42, - "Pontia": 43, - "Anthocharis": 44, - "Zegris": 45, - "Euchloe": 46, - "Colotis": 47, - "Hamearis": 48, - "Polycaena": 49, - "Favonius": 50, - "Cigaritis": 51, - "Tomares": 52, - "Chrysozephyrus": 53, - "Ussuriana": 54, - "Coreana": 55, - "Japonica": 56, - "Thecla": 57, - "Celastrina": 58, - "Artopoetes": 59, - "Laeosopis": 60, - "Callophrys": 61, - "Zizeeria": 62, - "Pseudozizeeria": 63, - "Tarucus": 64, - "Cyclyrius": 65, - "Leptotes": 66, - "Satyrium": 67, - "Lampides": 68, - "Azanus": 69, - "Neolycaena": 70, - "Cupido": 71, - "Maculinea": 72, - "Glaucopsyche": 73, - "Pseudophilotes": 74, - "Scolitantides": 75, - "Iolana": 76, - "Plebejus": 77, - "Caerulea": 78, - "Afarsia": 79, - "Agriades": 80, - "Alpherakya": 81, - "Plebejidea": 82, - "Kretania": 83, - "Maurus": 84, - "Aricia": 85, - "Pamiria": 86, - "Polyommatus": 87, - "Eumedonia": 88, - "Cyaniris": 89, - "Lysandra": 90, - "Glabroculus": 91, - "Neolysandra": 92, - "Libythea": 93, - "Danaus": 94, - "Charaxes": 95, - "Mimathyma": 96, - "Apatura": 97, - "Limenitis": 98, - "Euapatura": 99, - "Hestina": 100, - "Timelaea": 101, - "Thaleropis": 102, - "Parasarpa": 103, - "Lelecella": 104, - "Neptis": 105, - "Nymphalis": 106, - "Athyma": 107, - "Inachis": 108, - "Araschnia": 109, - "Junonia": 110, - "Vanessa": 111, - "Speyeria": 112, - "Fabriciana": 113, - "Issoria": 114, - "Brenthis": 115, - "Boloria": 116, - "Kuekenthaliella": 117, - "Clossiana": 118, - "Proclossiana": 119, - "Meiltaea": 120, - "Euphydryas": 121, - "Melanargia": 122, - "Davidina": 123, - "Hipparchia": 124, - "Chazara": 125, - "Pseudochazara": 126, - "Karanasa": 127, - "Paroeneis": 128, - "Oeneis": 129, - "Satyrus": 130, - "Minois": 131, - "Arethusana": 132, - "Brintesia": 133, - "Maniola": 134, - "Aphantopus": 135, - "Hyponephele": 136, - "Pyronia": 137, - "Coenonympha": 138, - "Pararge": 139, - "Ypthima": 140, - "Lasiommata": 141, - "Lopinga": 142, - "Kirinia": 143, - "Neope": 144, - "Lethe": 145, - "Mycalesis": 146, - "Arisbe": 147, - "Atrophaneura": 148, - "Agehana": 149, - "Teinopalpus": 150, - "Graphium": 151, - "Meandrusa": 152 + "Mesapia": 25, + "Baltia": 26, + "Pieris": 27, + "Erebia": 28, + "Berberia": 29, + "Proterebia": 30, + "Boeberia": 31, + "Loxerebia": 32, + "Lycaena": 33, + "Melitaea": 34, + "Argynnis": 35, + "Heliophorus": 36, + "Cethosia": 37, + "Childrena": 38, + "Pontia": 39, + "Anthocharis": 40, + "Zegris": 41, + "Euchloe": 42, + "Colotis": 43, + "Hamearis": 44, + "Polycaena": 45, + "Favonius": 46, + "Cigaritis": 47, + "Tomares": 48, + "Chrysozephyrus": 49, + "Ussuriana": 50, + "Coreana": 51, + "Japonica": 52, + "Thecla": 53, + "Celastrina": 54, + "Laeosopis": 55, + "Callophrys": 56, + "Zizeeria": 57, + "Tarucus": 58, + "Cyclyrius": 59, + "Leptotes": 60, + "Satyrium": 61, + "Lampides": 62, + "Neolycaena": 63, + "Cupido": 64, + "Maculinea": 65, + "Glaucopsyche": 66, + "Pseudophilotes": 67, + "Scolitantides": 68, + "Iolana": 69, + "Plebejus": 70, + "Agriades": 71, + "Plebejidea": 72, + "Kretania": 73, + "Aricia": 74, + "Pamiria": 75, + "Polyommatus": 76, + "Eumedonia": 77, + "Cyaniris": 78, + "Lysandra": 79, + "Glabroculus": 80, + "Neolysandra": 81, + "Libythea": 82, + "Danaus": 83, + "Charaxes": 84, + "Apatura": 85, + "Limenitis": 86, + "Euapatura": 87, + "Hestina": 88, + "Timelaea": 89, + "Mimathyma": 90, + "Lelecella": 91, + "Neptis": 92, + "Nymphalis": 93, + "Inachis": 94, + "Araschnia": 95, + "Vanessa": 96, + "Speyeria": 97, + "Fabriciana": 98, + "Argyronome": 99, + "Issoria": 100, + "Brenthis": 101, + "Boloria": 102, + "Kuekenthaliella": 103, + "Clossiana": 104, + "Proclossiana": 105, + "Euphydryas": 106, + "Melanargia": 107, + "Davidina": 108, + "Hipparchia": 109, + "Chazara": 110, + "Pseudochazara": 111, + "Karanasa": 112, + "Oeneis": 113, + "Satyrus": 114, + "Minois": 115, + "Arethusana": 116, + "Brintesia": 117, + "Maniola": 118, + "Aphantopus": 119, + "Hyponephele": 120, + "Pyronia": 121, + "Coenonympha": 122, + "Pararge": 123, + "Ypthima": 124, + "Lasiommata": 125, + "Lopinga": 126, + "Kirinia": 127, + "Neope": 128, + "Atrophaneura": 129, + "Agehana": 130, + "Arisbe": 131, + "Teinopalpus": 132, + "Graphium": 133, + "Meandrusa": 134 } + self.specific_epithet = { "palaemon": 0, - "silvicola": 1, - "morpheus": 2, - "sylvestris": 3, - "lineola": 4, - "hamza": 5, - "acteon": 6, - "comma": 7, - "venata": 8, - "nostrodamus": 9, - "tages": 10, - "alceae": 11, - "lavatherae": 12, - "baeticus": 13, - "floccifera": 14, - "sertorius": 15, - "orbifer": 16, - "cribrellum": 17, - "proto": 18, - "tessellum": 19, - "accretus": 20, - "alveus": 21, - "armoricanus": 22, - "andromedae": 23, - "cacaliae": 24, - "carlinae": 25, - "carthami": 26, - "malvae": 27, - "cinarae": 28, - "cirsii": 29, - "centaureae": 30, - "bellieri": 31, - "malvoides": 32, - "onopordi": 33, - "serratulae": 34, - "sidae": 35, - "warrenensis": 36, - "sacerdos": 37, - "apollinus": 38, - "apollinaris": 39, - "apollo": 40, - "geminus": 41, - "mnemosyne": 42, - "glacialis": 43, - "montela": 44, - "rumina": 45, - "polyxena": 46, - "cerisyi": 47, - "deyrollei": 48, - "caucasica": 49, - "cretica": 50, - "thaidina": 51, - "lidderdalii": 52, - "mansfieldi": 53, - "japonica": 54, - "puziloi": 55, - "chinensis": 56, - "machaon": 57, - "stubbendorfii": 58, - "apollonius": 59, - "alexanor": 60, - "hospiton": 61, - "xuthus": 62, - "podalirius": 63, - "feisthamelii": 64, - "sinapis": 65, - "palaeno": 66, - "podalirinus": 67, - "pelidne": 68, - "juvernica": 69, - "morsei": 70, - "amurensis": 71, - "duponcheli": 72, - "marcopolo": 73, - "ladakensis": 74, - "grumi": 75, - "nebulosa": 76, - "nastes": 77, - "tamerlana": 78, - "cocandica": 79, - "sieversi": 80, - "sifanica": 81, - "alpherakii": 82, - "christophi": 83, - "shahfuladi": 84, - "tyche": 85, - "phicomone": 86, - "montium": 87, - "alfacariensis": 88, - "hyale": 89, - "erate": 90, - "erschoffi": 91, - "romanovi": 92, - "regia": 93, - "stoliczkana": 94, - "hecla": 95, - "eogene": 96, - "thisoa": 97, - "staudingeri": 98, - "lada": 99, - "baeckeri": 100, - "adelaidae": 101, - "fieldii": 102, - "heos": 103, - "diva": 104, - "chrysotheme": 105, - "balcanica": 106, - "myrmidone": 107, - "croceus": 108, - "felderi": 109, - "viluiensis": 110, - "crataegi": 111, - "aurorina": 112, - "chlorocoma": 113, - "libanotica": 114, - "wiskotti": 115, - "florella": 116, - "rhamni": 117, - "maxima": 118, - "sagartia": 119, - "cleopatra": 120, - "cleobule": 121, - "amintha": 122, - "mahaguru": 123, - "davidis": 124, - "procris": 125, - "hippia": 126, - "peloria": 127, - "potanini": 128, - "nabellica": 129, - "butleri": 130, - "shawii": 131, - "brassicae": 132, - "cheiranthi": 133, - "rapae": 134, - "gorge": 135, - "aethiopellus": 136, - "mnestra": 137, - "epistygne": 138, - "turanica": 139, - "ottomana": 140, - "tyndarus": 141, - "oeme": 142, - "lefebvrei": 143, - "melas": 144, - "zapateri": 145, - "neoridas": 146, - "montana": 147, - "cassioides": 148, - "nivalis": 149, - "scipio": 150, - "pronoe": 151, - "styx": 152, - "meolans": 153, - "palarica": 154, - "pandrose": 155, - "hispania": 156, - "meta": 157, - "wanga": 158, - "theano": 159, - "erinnyn": 160, - "lambessanus": 161, - "abdelkader": 162, - "disa": 163, - "rossii": 164, - "cyclopius": 165, - "hades": 166, - "afra": 167, - "parmenio": 168, - "saxicola": 169, - "rondoui": 170, - "mannii": 171, - "ergane": 172, - "krueperi": 173, - "melete": 174, - "napi": 175, - "nesis": 176, - "thersamon": 177, - "lampon": 178, - "solskyi": 179, - "splendens": 180, - "candens": 181, - "ochimus": 182, - "hippothoe": 183, - "tityrus": 184, - "asabinus": 185, - "thetis": 186, - "athalia": 187, - "paphia": 188, - "tamu": 189, - "brahma": 190, - "epicles": 191, - "androcles": 192, - "biblis": 193, - "childreni": 194, - "ruslana": 195, - "parthenoides": 196, - "bryoniae": 197, - "edusa": 198, - "daplidice": 199, - "callidice": 200, - "thibetana": 201, - "bambusarum": 202, - "bieti": 203, - "scolymus": 204, - "pyrothoe": 205, - "eupheme": 206, - "fausti": 207, - "simplonia": 208, - "daphalis": 209, - "chloridice": 210, - "belemia": 211, - "ausonia": 212, - "tagis": 213, - "crameri": 214, - "insularis": 215, - "orientalis": 216, - "transcaspica": 217, - "charlonia": 218, - "penia": 219, - "tomyris": 220, - "falloui": 221, - "pulverata": 222, - "gruneri": 223, - "damone": 224, - "cardamines": 225, - "belia": 226, - "euphenoides": 227, - "fausta": 228, - "phisadia": 229, - "protractus": 230, - "evagore": 231, - "lucina": 232, - "phlaeas": 233, - "helle": 234, - "pang": 235, - "caspius": 236, - "margelanica": 237, - "li": 238, - "dispar": 239, - "alciphron": 240, - "virgaureae": 241, - "kasyapa": 242, - "Tschamut, Tujetsch": 243, - "quercus": 244, - "cilissa": 245, - "siphax": 246, - "zohra": 247, - "allardi": 248, - "ballus": 249, - "nogelii": 250, - "mauretanicus": 251, - "callimachus": 252, - "smaragdinus": 253, - "micahaelis": 254, - "raphaelis": 255, - "saepestriata": 256, - "betulae": 257, - "argiolus": 258, - "pryeri": 259, - "roboris": 260, - "rubi": 261, - "knysna": 262, - "maha": 263, - "theophrastus": 264, - "webbianus": 265, - "balkanica": 266, - "pirithous": 267, - "spini": 268, - "boeticus": 269, - "w-album": 270, - "ilicis": 271, - "pruni": 272, - "acaciae": 273, - "esculi": 274, - "jesous": 275, - "ledereri": 276, - "rhymnus": 277, - "karsandra": 278, - "avis": 279, - "pirthous": 280, - "davidi": 281, - "minimus": 282, - "rebeli": 283, - "arion": 284, - "alcetas": 285, - "lorquinii": 286, - "osiris": 287, - "argiades": 288, - "decolorata": 289, - "melanops": 290, - "alexis": 291, - "alcon": 292, - "teleius": 293, - "abencerragus": 294, - "bavius": 295, - "panoptes": 296, - "vicrama": 297, - "baton": 298, - "nausithous": 299, - "orion": 300, - "gigantea": 301, - "iolas": 302, - "argus": 303, - "eversmanni": 304, - "paphos": 305, - "coeli": 306, - "astraea": 307, - "morgiana": 308, - "argyrognomon": 309, - "optilete": 310, - "devanica": 311, - "loewii": 312, - "idas": 313, - "trappi": 314, - "pylaon": 315, - "psylorita": 316, - "martini": 317, - "allardii": 318, - "vogelii": 319, - "samudra": 320, - "orbitulus": 321, - "artaxerxes": 322, - "omphisa": 323, - "galathea": 324, - "glandon": 325, - "agestis": 326, - "maracandica": 327, - "damon": 328, - "montensis": 329, - "eumedon": 330, - "nicias": 331, - "semiargus": 332, - "dolus": 333, - "isaurica": 334, - "anteros": 335, - "menalcas": 336, - "antidolus": 337, - "phyllis": 338, - "iphidamon": 339, - "damonides": 340, - "poseidon": 341, - "ripartii": 342, - "admetus": 343, - "humedasae": 344, - "dorylas": 345, - "thersites": 346, - "escheri": 347, - "bellargus": 348, - "coridon": 349, - "hispana": 350, - "albicans": 351, - "caelestissima": 352, - "punctifera": 353, - "nivescens": 354, - "aedon": 355, - "myrrha": 356, - "atys": 357, - "icarus": 358, - "caeruleus": 359, - "elvira": 360, - "cyane": 361, - "elbursica": 362, - "firdussii": 363, - "golgus": 364, - "ellisoni": 365, - "coelestina": 366, - "corona": 367, - "amandus": 368, - "venus": 369, - "daphnis": 370, - "eros": 371, - "celina": 372, - "celtis": 373, - "plexippus": 374, - "chrysippus": 375, - "jasius": 376, - "nycteis": 377, - "iris": 378, - "ilia": 379, - "reducta": 380, - "metis": 381, - "mirza": 382, - "albescens": 383, - "populi": 384, - "camilla": 385, - "schrenckii": 386, - "ionia": 387, - "albomaculata": 388, - "sydyi": 389, - "limenitoides": 390, - "sappho": 391, - "alwina": 392, - "rivularis": 393, - "antiopa": 394, - "polychloros": 395, - "xanthomelas": 396, - "l-album": 397, - "urticae": 398, - "punctata": 399, - "perius": 400, - "ichnusa": 401, - "egea": 402, - "c-album": 403, - "io": 404, - "burejana": 405, - "levana": 406, - "canace": 407, - "c-aureum": 408, - "rizana": 409, - "hierta": 410, - "atalanta": 411, - "vulcania": 412, - "virginiensis": 413, - "indica": 414, - "cardui": 415, - "pandora": 416, - "aglaja": 417, - "niobe": 418, - "clara": 419, - "laodice": 420, - "adippe": 421, - "jainadeva": 422, - "auresiana": 423, - "nerippe": 424, - "elisa": 425, - "lathonia": 426, - "hecate": 427, - "daphne": 428, - "ino": 429, - "pales": 430, - "eugenia": 431, - "sipora": 432, - "aquilonaris": 433, - "napaea": 434, - "selene": 435, - "eunomia": 436, - "graeca": 437, - "thore": 438, - "dia": 439, - "euphrosyne": 440, - "titania": 441, - "freija": 442, - "iphigenia": 443, - "chariclea": 444, - "cinxia": 445, - "aetherie": 446, - "arduinna": 447, - "phoebe": 448, - "didyma": 449, - "varia": 450, - "aurelia": 451, - "asteria": 452, - "diamina": 453, - "punica": 454, - "britomartis": 455, - "fergana": 456, - "acraeina": 457, - "trivia": 458, - "persea": 459, - "ambigua": 460, - "deione": 461, - "chitralensis": 462, - "saxatilis": 463, - "minerva": 464, - "scotosia": 465, - "maturna": 466, - "ichnea": 467, - "cynthia": 468, - "aurinia": 469, - "sibirica": 470, - "iduna": 471, - "titea": 472, - "parce": 473, - "lachesis": 474, - "provincialis": 475, - "desfontainii": 476, - "russiae": 477, - "larissa": 478, - "ines": 479, - "pherusa": 480, - "occitanica": 481, - "arge": 482, - "meridionalis": 483, - "leda": 484, - "halimede": 485, - "lugens": 486, - "hylata": 487, - "armandi": 488, - "semele": 489, - "briseis": 490, - "parisatis": 491, - "stulta": 492, - "fidia": 493, - "genava": 494, - "aristaeus": 495, - "fagi": 496, - "wyssii": 497, - "fatua": 498, - "statilinus": 499, - "syriaca": 500, - "neomiris": 501, - "azorina": 502, - "prieuri": 503, - "bischoffii": 504, - "enervata": 505, - "persephone": 506, - "kaufmanni": 507, - "hippolyte": 508, - "pelopea": 509, - "alpina": 510, - "beroe": 511, - "schahrudensis": 512, - "mniszechii": 513, - "geyeri": 514, - "telephassa": 515, - "anthelea": 516, - "amalthea": 517, - "cingovskii": 518, - "orestes": 519, - "abramovi": 520, - "modesta": 521, - "huebneri": 522, - "palaearcticus": 523, - "pumilis": 524, - "magna": 525, - "tarpeia": 526, - "norna": 527, - "actaea": 528, - "parthicus": 529, - "ferula": 530, - "dryas": 531, - "arethusa": 532, - "circe": 533, - "jurtina": 534, - "hyperantus": 535, - "pulchra": 536, - "pulchella": 537, - "davendra": 538, - "cadusia": 539, - "amardaea": 540, - "lycaon": 541, - "nurag": 542, - "lupina": 543, - "capella": 544, - "interposita": 545, - "tithonus": 546, - "gardetta": 547, - "tullia": 548, - "bathseba": 549, - "cecilia": 550, - "corinna": 551, - "sunbecca": 552, - "pamphilus": 553, - "janiroides": 554, - "dorus": 555, - "elbana": 556, - "darwiniana": 557, - "arcania": 558, - "aegeria": 559, - "leander": 560, - "baldus": 561, - "iphioides": 562, - "glycerion": 563, - "hero": 564, - "oedippus": 565, - "mongolica": 566, - "asterope": 567, - "xiphioides": 568, - "xiphia": 569, - "megera": 570, - "petropolitana": 571, - "maera": 572, - "paramegaera": 573, - "achine": 574, - "euryale": 575, - "roxelana": 576, - "climene": 577, - "goschkevitschii": 578, - "diana": 579, - "francisca": 580, - "ligea": 581, - "sicelis": 582, - "gotama": 583, - "eriphyle": 584, - "manto": 585, - "epiphron": 586, - "flavofasciata": 587, - "bubastis": 588, - "claudina": 589, - "christi": 590, - "pharte": 591, - "aethiops": 592, - "melampus": 593, - "sudetica": 594, - "neriene": 595, - "triaria": 596, - "medusa": 597, - "alberganus": 598, - "pluto": 599, - "farinosa": 600, - "nevadensis": 601, - "pheretiades": 602, - "eurypilus": 603, - "eversmannii": 604, - "ariadne": 605, - "stenosemus": 606, - "hardwickii": 607, - "charltonius": 608, - "imperator": 609, - "acdestis": 610, - "cardinal": 611, - "szechenyii": 612, - "delphius": 613, - "maximinus": 614, - "orleans": 615, - "augustus": 616, - "loxias": 617, - "charltontonius": 618, - "inopinatus": 619, - "autocrator": 620, - "cardinalgebi": 621, - "patricius": 622, - "stoliczkanus": 623, - "nordmanni": 624, - "simo": 625, - "bremeri": 626, - "actius": 627, - "andreji": 628, - "cephalus": 629, - "maharaja": 630, - "tenedius": 631, - "acco": 632, - "boedromius": 633, - "simonius": 634, - "tianschanicus": 635, - "phoebus": 636, - "honrathi": 637, - "ruckbeili": 638, - "epaphus": 639, - "nomion": 640, - "jacquemonti": 641, - "mercurius": 642, - "tibetanus": 643, - "clodius": 644, - "smintheus": 645, - "behrii": 646, - "mullah": 647, - "mencius": 648, - "plutonius": 649, - "dehaani": 650, - "polytes": 651, - "horishana": 652, - "bootes": 653, - "elwesi": 654, - "maackii": 655, - "impediens": 656, - "polyeuctes": 657, - "mandarinus": 658, - "parus": 659, - "alcinous": 660, - "alebion": 661, - "helenus": 662, - "imperialis": 663, - "memnon": 664, - "eurous": 665, - "sarpedon": 666, - "doson": 667, - "tamerlanus": 668, - "bianor": 669, - "paris": 670, - "hopponis": 671, - "nevilli": 672, - "krishna": 673, - "macilentus": 674, - "leechi": 675, - "protenor": 676, - "cloanthus": 677, - "thaiwanus": 678, - "chaon": 679, - "castor": 680, - "sciron": 681, - "arcturus": 682, - "aureus": 683, - "lehanus": 684, - "dieckmanni": 685 + "morpheus": 1, + "sylvestris": 2, + "lineola": 3, + "acteon": 4, + "comma": 5, + "venata": 6, + "nostrodamus": 7, + "tages": 8, + "alceae": 9, + "lavatherae": 10, + "baeticus": 11, + "floccifera": 12, + "sertorius": 13, + "orbifer": 14, + "proto": 15, + "alveus": 16, + "armoricanus": 17, + "andromedae": 18, + "cacaliae": 19, + "carlinae": 20, + "carthami": 21, + "malvae": 22, + "cinarae": 23, + "cirsii": 24, + "malvoides": 25, + "onopordi": 26, + "serratulae": 27, + "sidae": 28, + "warrenensis": 29, + "sacerdos": 30, + "apollinus": 31, + "apollo": 32, + "mnemosyne": 33, + "glacialis": 34, + "montela": 35, + "rumina": 36, + "polyxena": 37, + "cerisyi": 38, + "deyrollei": 39, + "caucasica": 40, + "thaidina": 41, + "lidderdalii": 42, + "mansfieldi": 43, + "japonica": 44, + "puziloi": 45, + "chinensis": 46, + "machaon": 47, + "stubbendorfii": 48, + "apollonius": 49, + "alexanor": 50, + "hospiton": 51, + "xuthus": 52, + "podalirius": 53, + "feisthamelii": 54, + "sinapis": 55, + "palaeno": 56, + "pelidne": 57, + "juvernica": 58, + "morsei": 59, + "amurensis": 60, + "duponcheli": 61, + "marcopolo": 62, + "ladakensis": 63, + "nebulosa": 64, + "nastes": 65, + "cocandica": 66, + "sieversi": 67, + "sifanica": 68, + "alpherakii": 69, + "christophi": 70, + "tyche": 71, + "phicomone": 72, + "alfacariensis": 73, + "hyale": 74, + "erate": 75, + "erschoffi": 76, + "romanovi": 77, + "regia": 78, + "stoliczkana": 79, + "hecla": 80, + "eogene": 81, + "thisoa": 82, + "staudingeri": 83, + "lada": 84, + "baeckeri": 85, + "fieldii": 86, + "heos": 87, + "diva": 88, + "chrysotheme": 89, + "balcanica": 90, + "myrmidone": 91, + "croceus": 92, + "felderi": 93, + "viluiensis": 94, + "crataegi": 95, + "aurorina": 96, + "chlorocoma": 97, + "libanotica": 98, + "wiskotti": 99, + "florella": 100, + "rhamni": 101, + "maxima": 102, + "cleopatra": 103, + "cleobule": 104, + "amintha": 105, + "procris": 106, + "peloria": 107, + "potanini": 108, + "nabellica": 109, + "butleri": 110, + "brassicae": 111, + "cheiranthi": 112, + "rapae": 113, + "gorge": 114, + "aethiopellus": 115, + "mnestra": 116, + "epistygne": 117, + "ottomana": 118, + "tyndarus": 119, + "oeme": 120, + "lefebvrei": 121, + "melas": 122, + "zapateri": 123, + "neoridas": 124, + "montana": 125, + "cassioides": 126, + "nivalis": 127, + "scipio": 128, + "pronoe": 129, + "styx": 130, + "meolans": 131, + "palarica": 132, + "pandrose": 133, + "meta": 134, + "erinnyn": 135, + "lambessanus": 136, + "abdelkader": 137, + "afra": 138, + "parmenio": 139, + "saxicola": 140, + "mannii": 141, + "ergane": 142, + "krueperi": 143, + "napi": 144, + "thersamon": 145, + "lampon": 146, + "solskyi": 147, + "splendens": 148, + "candens": 149, + "ochimus": 150, + "hippothoe": 151, + "tityrus": 152, + "thetis": 153, + "athalia": 154, + "paphia": 155, + "tamu": 156, + "brahma": 157, + "androcles": 158, + "biblis": 159, + "childreni": 160, + "parthenoides": 161, + "bryoniae": 162, + "edusa": 163, + "daplidice": 164, + "callidice": 165, + "thibetana": 166, + "bambusarum": 167, + "bieti": 168, + "scolymus": 169, + "pyrothoe": 170, + "eupheme": 171, + "fausti": 172, + "simplonia": 173, + "chloridice": 174, + "belemia": 175, + "ausonia": 176, + "tagis": 177, + "crameri": 178, + "insularis": 179, + "orientalis": 180, + "transcaspica": 181, + "charlonia": 182, + "tomyris": 183, + "gruneri": 184, + "damone": 185, + "cardamines": 186, + "belia": 187, + "euphenoides": 188, + "fausta": 189, + "evagore": 190, + "lucina": 191, + "tamerlana": 192, + "phlaeas": 193, + "helle": 194, + "pang": 195, + "caspius": 196, + "margelanica": 197, + "dispar": 198, + "alciphron": 199, + "virgaureae": 200, + "kasyapa": 201, + "quercus": 202, + "siphax": 203, + "allardi": 204, + "ballus": 205, + "nogelii": 206, + "mauretanicus": 207, + "callimachus": 208, + "smaragdinus": 209, + "micahaelis": 210, + "raphaelis": 211, + "saepestriata": 212, + "betulae": 213, + "argiolus": 214, + "roboris": 215, + "rubi": 216, + "knysna": 217, + "theophrastus": 218, + "webbianus": 219, + "balkanica": 220, + "pirithous": 221, + "spini": 222, + "boeticus": 223, + "w-album": 224, + "ilicis": 225, + "pruni": 226, + "acaciae": 227, + "esculi": 228, + "rhymnus": 229, + "avis": 230, + "minimus": 231, + "rebeli": 232, + "arion": 233, + "alcetas": 234, + "osiris": 235, + "argiades": 236, + "decolorata": 237, + "melanops": 238, + "alexis": 239, + "alcon": 240, + "teleius": 241, + "abencerragus": 242, + "panoptes": 243, + "vicrama": 244, + "baton": 245, + "nausithous": 246, + "orion": 247, + "gigantea": 248, + "iolas": 249, + "argus": 250, + "eversmanni": 251, + "paphos": 252, + "argyrognomon": 253, + "optilete": 254, + "loewii": 255, + "idas": 256, + "trappi": 257, + "pylaon": 258, + "martini": 259, + "samudra": 260, + "orbitulus": 261, + "artaxerxes": 262, + "omphisa": 263, + "glandon": 264, + "agestis": 265, + "damon": 266, + "eumedon": 267, + "nicias": 268, + "semiargus": 269, + "dolus": 270, + "anteros": 271, + "antidolus": 272, + "phyllis": 273, + "iphidamon": 274, + "damonides": 275, + "ripartii": 276, + "admetus": 277, + "dorylas": 278, + "thersites": 279, + "escheri": 280, + "bellargus": 281, + "coridon": 282, + "hispana": 283, + "albicans": 284, + "caelestissima": 285, + "punctifera": 286, + "nivescens": 287, + "aedon": 288, + "atys": 289, + "icarus": 290, + "caeruleus": 291, + "elvira": 292, + "cyane": 293, + "golgus": 294, + "coelestina": 295, + "corona": 296, + "amandus": 297, + "daphnis": 298, + "eros": 299, + "celina": 300, + "celtis": 301, + "plexippus": 302, + "chrysippus": 303, + "jasius": 304, + "iris": 305, + "ilia": 306, + "reducta": 307, + "metis": 308, + "mirza": 309, + "albescens": 310, + "populi": 311, + "camilla": 312, + "schrenckii": 313, + "sydyi": 314, + "limenitoides": 315, + "sappho": 316, + "rivularis": 317, + "antiopa": 318, + "polychloros": 319, + "xanthomelas": 320, + "l-album": 321, + "urticae": 322, + "ichnusa": 323, + "egea": 324, + "c-album": 325, + "io": 326, + "burejana": 327, + "levana": 328, + "canace": 329, + "c-aureum": 330, + "atalanta": 331, + "vulcania": 332, + "cardui": 333, + "pandora": 334, + "aglaja": 335, + "niobe": 336, + "clara": 337, + "laodice": 338, + "adippe": 339, + "jainadeva": 340, + "auresiana": 341, + "elisa": 342, + "lathonia": 343, + "hecate": 344, + "daphne": 345, + "ino": 346, + "pales": 347, + "eugenia": 348, + "aquilonaris": 349, + "napaea": 350, + "selene": 351, + "eunomia": 352, + "graeca": 353, + "thore": 354, + "dia": 355, + "euphrosyne": 356, + "titania": 357, + "freija": 358, + "cinxia": 359, + "phoebe": 360, + "didyma": 361, + "varia": 362, + "aurelia": 363, + "asteria": 364, + "diamina": 365, + "britomartis": 366, + "acraeina": 367, + "trivia": 368, + "persea": 369, + "ambigua": 370, + "deione": 371, + "turanica": 372, + "maturna": 373, + "ichnea": 374, + "cynthia": 375, + "aurinia": 376, + "sibirica": 377, + "iduna": 378, + "titea": 379, + "parce": 380, + "lachesis": 381, + "galathea": 382, + "russiae": 383, + "larissa": 384, + "ines": 385, + "pherusa": 386, + "occitanica": 387, + "arge": 388, + "meridionalis": 389, + "leda": 390, + "halimede": 391, + "armandi": 392, + "semele": 393, + "briseis": 394, + "parisatis": 395, + "fidia": 396, + "genava": 397, + "aristaeus": 398, + "fagi": 399, + "wyssii": 400, + "fatua": 401, + "statilinus": 402, + "syriaca": 403, + "neomiris": 404, + "azorina": 405, + "prieuri": 406, + "bischoffii": 407, + "persephone": 408, + "pelopea": 409, + "beroe": 410, + "schahrudensis": 411, + "telephassa": 412, + "anthelea": 413, + "amalthea": 414, + "cingovskii": 415, + "modesta": 416, + "magna": 417, + "actaea": 418, + "parthicus": 419, + "ferula": 420, + "dryas": 421, + "arethusa": 422, + "circe": 423, + "jurtina": 424, + "hyperantus": 425, + "pulchra": 426, + "pulchella": 427, + "cadusia": 428, + "amardaea": 429, + "lycaon": 430, + "nurag": 431, + "lupina": 432, + "tithonus": 433, + "gardetta": 434, + "tullia": 435, + "bathseba": 436, + "cecilia": 437, + "corinna": 438, + "pamphilus": 439, + "janiroides": 440, + "dorus": 441, + "darwiniana": 442, + "arcania": 443, + "aegeria": 444, + "leander": 445, + "baldus": 446, + "iphioides": 447, + "glycerion": 448, + "hero": 449, + "oedippus": 450, + "xiphioides": 451, + "megera": 452, + "petropolitana": 453, + "maera": 454, + "paramegaera": 455, + "achine": 456, + "euryale": 457, + "roxelana": 458, + "climene": 459, + "goschkevitschii": 460, + "ligea": 461, + "eriphyle": 462, + "manto": 463, + "epiphron": 464, + "flavofasciata": 465, + "bubastis": 466, + "claudina": 467, + "christi": 468, + "pharte": 469, + "aethiops": 470, + "melampus": 471, + "sudetica": 472, + "neriene": 473, + "triaria": 474, + "medusa": 475, + "alberganus": 476, + "pluto": 477, + "farinosa": 478, + "nevadensis": 479, + "pheretiades": 480, + "eversmannii": 481, + "ariadne": 482, + "stenosemus": 483, + "hardwickii": 484, + "charltonius": 485, + "imperator": 486, + "acdestis": 487, + "cardinal": 488, + "szechenyii": 489, + "delphius": 490, + "maximinus": 491, + "orleans": 492, + "augustus": 493, + "loxias": 494, + "charltontonius": 495, + "autocrator": 496, + "stoliczkanus": 497, + "nordmanni": 498, + "simo": 499, + "bremeri": 500, + "actius": 501, + "cephalus": 502, + "maharaja": 503, + "tenedius": 504, + "acco": 505, + "boedromius": 506, + "tianschanicus": 507, + "phoebus": 508, + "honrathi": 509, + "ruckbeili": 510, + "epaphus": 511, + "nomion": 512, + "jacquemonti": 513, + "mercurius": 514, + "tibetanus": 515, + "clodius": 516, + "smintheus": 517, + "behrii": 518, + "mencius": 519, + "plutonius": 520, + "dehaani": 521, + "polytes": 522, + "horishana": 523, + "bootes": 524, + "elwesi": 525, + "maackii": 526, + "impediens": 527, + "polyeuctes": 528, + "mandarinus": 529, + "parus": 530, + "alcinous": 531, + "alebion": 532, + "helenus": 533, + "imperialis": 534, + "eurous": 535, + "sarpedon": 536, + "doson": 537, + "tamerlanus": 538, + "bianor": 539, + "paris": 540, + "nevilli": 541, + "krishna": 542, + "macilentus": 543, + "leechi": 544, + "protenor": 545, + "cloanthus": 546, + "castor": 547, + "sciron": 548, + "arcturus": 549, + "lehanus": 550 } + self.genus_specific_epithet = { "Carterocephalus_palaemon": 0, - "Carterocephalus_silvicola": 1, - "Heteropterus_morpheus": 2, - "Thymelicus_sylvestris": 3, - "Thymelicus_lineola": 4, - "Thymelicus_hamza": 5, - "Thymelicus_acteon": 6, - "Hesperia_comma": 7, - "Ochlodes_venata": 8, - "Gegenes_nostrodamus": 9, - "Erynnis_tages": 10, - "Carcharodus_alceae": 11, - "Carcharodus_lavatherae": 12, - "Carcharodus_baeticus": 13, - "Carcharodus_floccifera": 14, - "Spialia_sertorius": 15, - "Spialia_orbifer": 16, - "Muschampia_cribrellum": 17, - "Muschampia_proto": 18, - "Muschampia_tessellum": 19, - "Pyrgus_accretus": 20, - "Pyrgus_alveus": 21, - "Pyrgus_armoricanus": 22, - "Pyrgus_andromedae": 23, - "Pyrgus_cacaliae": 24, - "Pyrgus_carlinae": 25, - "Pyrgus_carthami": 26, - "Pyrgus_malvae": 27, - "Pyrgus_cinarae": 28, - "Pyrgus_cirsii": 29, - "Pyrgus_centaureae": 30, - "Pyrgus_bellieri": 31, - "Pyrgus_malvoides": 32, - "Pyrgus_onopordi": 33, - "Pyrgus_serratulae": 34, - "Pyrgus_sidae": 35, - "Pyrgus_warrenensis": 36, - "Parnassius_sacerdos": 37, - "Archon_apollinus": 38, - "Archon_apollinaris": 39, - "Parnassius_apollo": 40, - "Parnassius_geminus": 41, - "Parnassius_mnemosyne": 42, - "Parnassius_glacialis": 43, - "Sericinus_montela": 44, - "Zerynthia_rumina": 45, - "Zerynthia_polyxena": 46, - "Allancastria_cerisyi": 47, - "Allancastria_deyrollei": 48, - "Allancastria_caucasica": 49, - "Allancastria_cretica": 50, - "Bhutanitis_thaidina": 51, - "Bhutanitis_lidderdalii": 52, - "Bhutanitis_mansfieldi": 53, - "Luehdorfia_japonica": 54, - "Luehdorfia_puziloi": 55, - "Luehdorfia_chinensis": 56, - "Papilio_machaon": 57, - "Parnassius_stubbendorfii": 58, - "Parnassius_apollonius": 59, - "Papilio_alexanor": 60, - "Papilio_hospiton": 61, - "Papilio_xuthus": 62, - "Iphiclides_podalirius": 63, - "Iphiclides_feisthamelii": 64, - "Leptidea_sinapis": 65, - "Colias_palaeno": 66, - "Iphiclides_podalirinus": 67, - "Colias_pelidne": 68, - "Leptidea_juvernica": 69, - "Leptidea_morsei": 70, - "Leptidea_amurensis": 71, - "Leptidea_duponcheli": 72, - "Colias_marcopolo": 73, - "Colias_ladakensis": 74, - "Colias_grumi": 75, - "Colias_nebulosa": 76, - "Colias_nastes": 77, - "Colias_tamerlana": 78, - "Colias_cocandica": 79, - "Colias_sieversi": 80, - "Colias_sifanica": 81, - "Colias_alpherakii": 82, - "Colias_christophi": 83, - "Colias_shahfuladi": 84, - "Colias_tyche": 85, - "Colias_phicomone": 86, - "Colias_montium": 87, - "Colias_alfacariensis": 88, - "Colias_hyale": 89, - "Colias_erate": 90, - "Colias_erschoffi": 91, - "Colias_romanovi": 92, - "Colias_regia": 93, - "Colias_stoliczkana": 94, - "Colias_hecla": 95, - "Colias_eogene": 96, - "Colias_thisoa": 97, - "Colias_staudingeri": 98, - "Colias_lada": 99, - "Colias_baeckeri": 100, - "Colias_adelaidae": 101, - "Colias_fieldii": 102, - "Colias_heos": 103, - "Colias_caucasica": 104, - "Colias_diva": 105, - "Colias_chrysotheme": 106, - "Colias_balcanica": 107, - "Colias_myrmidone": 108, - "Colias_croceus": 109, - "Colias_felderi": 110, - "Colias_viluiensis": 111, - "Aporia_crataegi": 112, - "Colias_aurorina": 113, - "Colias_chlorocoma": 114, - "Colias_libanotica": 115, - "Colias_wiskotti": 116, - "Catopsilia_florella": 117, - "Gonepteryx_rhamni": 118, - "Gonepteryx_maxima": 119, - "Colias_sagartia": 120, - "Gonepteryx_cleopatra": 121, - "Gonepteryx_cleobule": 122, - "Gonepteryx_amintha": 123, - "Gonepteryx_mahaguru": 124, - "Sinopieris_davidis": 125, - "Sinopieris_venata": 126, - "Aporia_procris": 127, - "Aporia_hippia": 128, - "Mesapia_peloria": 129, - "Aporia_potanini": 130, - "Aporia_nabellica": 131, - "Baltia_butleri": 132, - "Baltia_shawii": 133, - "Pieris_brassicae": 134, - "Pieris_cheiranthi": 135, - "Pieris_rapae": 136, - "Erebia_gorge": 137, - "Erebia_aethiopellus": 138, - "Erebia_mnestra": 139, - "Erebia_epistygne": 140, - "Erebia_turanica": 141, - "Erebia_ottomana": 142, - "Erebia_tyndarus": 143, - "Erebia_oeme": 144, - "Erebia_lefebvrei": 145, - "Erebia_melas": 146, - "Erebia_zapateri": 147, - "Erebia_neoridas": 148, - "Erebia_montana": 149, - "Erebia_cassioides": 150, - "Erebia_nivalis": 151, - "Erebia_scipio": 152, - "Erebia_pronoe": 153, - "Erebia_styx": 154, - "Erebia_meolans": 155, - "Erebia_palarica": 156, - "Erebia_pandrose": 157, - "Erebia_hispania": 158, - "Erebia_meta": 159, - "Erebia_wanga": 160, - "Erebia_theano": 161, - "Erebia_erinnyn": 162, - "Berberia_lambessanus": 163, - "Berberia_abdelkader": 164, - "Erebia_disa": 165, - "Erebia_rossii": 166, - "Erebia_cyclopius": 167, - "Paralasa_hades": 168, - "Proterebia_afra": 169, - "Boeberia_parmenio": 170, - "Loxerebia_saxicola": 171, - "Proteerbia_afra": 172, - "Erebia_rondoui": 173, - "Pieris_mannii": 174, - "Pieris_ergane": 175, - "Pieris_krueperi": 176, - "Pieris_melete": 177, - "Pieris_napi": 178, - "Pieris_nesis": 179, - "Lycaena_thersamon": 180, - "Lycaena_lampon": 181, - "Lycaena_solskyi": 182, - "Lycaena_splendens": 183, - "Lycaena_candens": 184, - "Lycaena_ochimus": 185, - "Lycaena_hippothoe": 186, - "Lycaena_tityrus": 187, - "Lycaena_asabinus": 188, - "Lycaena_thetis": 189, - "Melitaea_athalia": 190, - "Argynnis_paphia": 191, - "Heliophorus_tamu": 192, - "Heliophorus_brahma": 193, - "Heliophorus_epicles": 194, - "Heliophorus_androcles": 195, - "Cethosia_biblis": 196, - "Childrena_childreni": 197, - "Argyronome_ruslana": 198, - "Melitaea_parthenoides": 199, - "Pieris_bryoniae": 200, - "Pontia_edusa": 201, - "Pontia_daplidice": 202, - "Pontia_callidice": 203, - "Anthocharis_thibetana": 204, - "Anthocharis_bambusarum": 205, - "Anthocharis_bieti": 206, - "Anthocharis_scolymus": 207, - "Zegris_pyrothoe": 208, - "Zegris_eupheme": 209, - "Zegris_fausti": 210, - "Euchloe_simplonia": 211, - "Euchloe_daphalis": 212, - "Pontia_chloridice": 213, - "Euchloe_belemia": 214, - "Euchloe_ausonia": 215, - "Euchloe_tagis": 216, - "Euchloe_crameri": 217, - "Euchloe_insularis": 218, - "Euchloe_orientalis": 219, - "Euchloe_transcaspica": 220, - "Euchloe_charlonia": 221, - "Euchloe_penia": 222, - "Euchloe_tomyris": 223, - "Euchloe_falloui": 224, - "Euchloe_pulverata": 225, - "Anthocharis_gruneri": 226, - "Anthocharis_damone": 227, - "Anthocharis_cardamines": 228, - "Anthocharis_belia": 229, - "Anthocharis_euphenoides": 230, - "Colotis_fausta": 231, - "Colotis_phisadia": 232, - "Colotis_protractus": 233, - "Colotis_evagore": 234, - "Hamearis_lucina": 235, - "Polycaena_tamerlana": 236, - "Lycaena_phlaeas": 237, - "Lycaena_helle": 238, - "Lycaena_pang": 239, - "Lycaena_caspius": 240, - "Lycaena_margelanica": 241, - "Lycaena_li": 242, - "Lycaena_dispar": 243, - "Lycaena_alciphron": 244, - "Lycaena_virgaureae": 245, - "Lycaena_kasyapa": 246, - "Lycaena_Tschamut, Tujetsch": 247, - "Favonius_quercus": 248, - "Cigaritis_cilissa": 249, - "Cigaritis_siphax": 250, - "Cigaritis_zohra": 251, - "Cigaritis_allardi": 252, - "Tomares_ballus": 253, - "Tomares_nogelii": 254, - "Tomares_mauretanicus": 255, - "Tomares_romanovi": 256, - "Tomares_callimachus": 257, - "Chrysozephyrus_smaragdinus": 258, - "Ussuriana_micahaelis": 259, - "Coreana_raphaelis": 260, - "Japonica_saepestriata": 261, - "Thecla_betulae": 262, - "Celastrina_argiolus": 263, - "Artopoetes_pryeri": 264, - "Laeosopis_roboris": 265, - "Callophrys_rubi": 266, - "Zizeeria_knysna": 267, - "Pseudozizeeria_maha": 268, - "Tarucus_theophrastus": 269, - "Cyclyrius_webbianus": 270, - "Tarucus_balkanica": 271, - "Leptotes_pirithous": 272, - "Satyrium_spini": 273, - "Lampides_boeticus": 274, - "Satyrium_w-album": 275, - "Satyrium_ilicis": 276, - "Satyrium_pruni": 277, - "Satyrium_acaciae": 278, - "Satyrium_esculi": 279, - "Azanus_jesous": 280, - "Satyrium_ledereri": 281, - "Neolycaena_rhymnus": 282, - "Zizeeria_karsandra": 283, - "Callophrys_avis": 284, - "Leptotes_pirthous": 285, - "Neolycaena_davidi": 286, - "Cupido_minimus": 287, - "Maculinea_rebeli": 288, - "Maculinea_arion": 289, - "Cupido_alcetas": 290, - "Cupido_lorquinii": 291, - "Cupido_osiris": 292, - "Cupido_argiades": 293, - "Cupido_decolorata": 294, - "Cupido_staudingeri": 295, - "Glaucopsyche_melanops": 296, - "Glaucopsyche_alexis": 297, - "Maculinea_alcon": 298, - "Maculinea_teleius": 299, - "Pseudophilotes_abencerragus": 300, - "Pseudophilotes_bavius": 301, - "Pseudophilotes_panoptes": 302, - "Pseudophilotes_vicrama": 303, - "Pseudophilotes_baton": 304, - "Maculinea_nausithous": 305, - "Scolitantides_orion": 306, - "Iolana_gigantea": 307, - "Iolana_iolas": 308, - "Plebejus_argus": 309, - "Plebejus_eversmanni": 310, - "Glaucopsyche_paphos": 311, - "Caerulea_coeli": 312, - "Glaucopsyche_astraea": 313, - "Afarsia_morgiana": 314, - "Plebejus_argyrognomon": 315, - "Agriades_optilete": 316, - "Alpherakya_devanica": 317, - "Plebejidea_loewii": 318, - "Plebejus_idas": 319, - "Kretania_trappi": 320, - "Kretania_pylaon": 321, - "Kretania_psylorita": 322, - "Kretania_martini": 323, - "Kretania_allardii": 324, - "Maurus_vogelii": 325, - "Plebejus_samudra": 326, - "Agriades_orbitulus": 327, - "Aricia_artaxerxes": 328, - "Pamiria_omphisa": 329, - "Pamiria_galathea": 330, - "Agriades_glandon": 331, - "Aricia_agestis": 332, - "Plebejus_maracandica": 333, - "Polyommatus_damon": 334, - "Aricia_montensis": 335, - "Eumedonia_eumedon": 336, - "Aricia_nicias": 337, - "Cyaniris_semiargus": 338, - "Polyommatus_dolus": 339, - "Aricia_isaurica": 340, - "Aricia_anteros": 341, - "Polyommatus_menalcas": 342, - "Polyommatus_antidolus": 343, - "Polyommatus_phyllis": 344, - "Polyommatus_iphidamon": 345, - "Polyommatus_damonides": 346, - "Polyommatus_poseidon": 347, - "Polyommatus_damone": 348, - "Polyommatus_ripartii": 349, - "Polyommatus_admetus": 350, - "Polyommatus_humedasae": 351, - "Polyommatus_dorylas": 352, - "Polyommatus_erschoffi": 353, - "Polyommatus_thersites": 354, - "Polyommatus_escheri": 355, - "Lysandra_bellargus": 356, - "Lysandra_coridon": 357, - "Lysandra_hispana": 358, - "Lysandra_albicans": 359, - "Lysandra_caelestissima": 360, - "Lysandra_punctifera": 361, - "Polyommatus_nivescens": 362, - "Polyommatus_aedon": 363, - "Polyommatus_myrrha": 364, - "Polyommatus_atys": 365, - "Polyommatus_icarus": 366, - "Polyommatus_caeruleus": 367, - "Glabroculus_elvira": 368, - "Glabroculus_cyane": 369, - "Polyommatus_elbursica": 370, - "Polyommatus_firdussii": 371, - "Polyommatus_stoliczkana": 372, - "Polyommatus_golgus": 373, - "Neolysandra_ellisoni": 374, - "Neolysandra_coelestina": 375, - "Neolysandra_corona": 376, - "Polyommatus_amandus": 377, - "Polyommatus_venus": 378, - "Polyommatus_daphnis": 379, - "Polyommatus_eros": 380, - "Polyommatus_celina": 381, - "Libythea_celtis": 382, - "Danaus_plexippus": 383, - "Danaus_chrysippus": 384, - "Charaxes_jasius": 385, - "Mimathyma_nycteis": 386, - "Apatura_iris": 387, - "Apatura_ilia": 388, - "Limenitis_reducta": 389, - "Apatura_metis": 390, - "Euapatura_mirza": 391, - "Hestina_japonica": 392, - "Timelaea_albescens": 393, - "Limenitis_populi": 394, - "Limenitis_camilla": 395, - "Mimathyma_schrenckii": 396, - "Thaleropis_ionia": 397, - "Parasarpa_albomaculata": 398, - "Limenitis_sydyi": 399, - "Lelecella_limenitoides": 400, - "Neptis_sappho": 401, - "Neptis_alwina": 402, - "Neptis_rivularis": 403, - "Nymphalis_antiopa": 404, - "Nymphalis_polychloros": 405, - "Nymphalis_xanthomelas": 406, - "Nymphalis_l-album": 407, - "Nymphalis_urticae": 408, - "Athyma_punctata": 409, - "Athyma_perius": 410, - "Neptis_pryeri": 411, - "Nymphalis_ichnusa": 412, - "Nymphalis_ladakensis": 413, - "Nymphalis_egea": 414, - "Nymphalis_c-album": 415, - "Inachis_io": 416, - "Araschnia_burejana": 417, - "Araschnia_levana": 418, - "Nymphalis_canace": 419, - "Nymphalis_c-aureum": 420, - "Nymphalis_rizana": 421, - "Junonia_hierta": 422, - "Vanessa_atalanta": 423, - "Vanessa_vulcania": 424, - "Vanessa_virginiensis": 425, - "Vanessa_indica": 426, - "Vanessa_cardui": 427, - "Argynnis_pandora": 428, - "Speyeria_aglaja": 429, - "Fabriciana_niobe": 430, - "Speyeria_clara": 431, - "Argyronome_laodice": 432, - "Fabriciana_adippe": 433, - "Fabriciana_jainadeva": 434, - "Fabriciana_auresiana": 435, - "Fabriciana_nerippe": 436, - "Fabriciana_elisa": 437, - "Issoria_lathonia": 438, - "Brenthis_hecate": 439, - "Brenthis_daphne": 440, - "Brenthis_ino": 441, - "Boloria_pales": 442, - "Kuekenthaliella_eugenia": 443, - "Boloria_sipora": 444, - "Boloria_aquilonaris": 445, - "Boloria_napaea": 446, - "Clossiana_selene": 447, - "Proclossiana_eunomia": 448, - "Boloria_graeca": 449, - "Clossiana_thore": 450, - "Clossiana_dia": 451, - "Clossiana_euphrosyne": 452, - "Clossiana_titania": 453, - "Clossiana_freija": 454, - "Clossiana_iphigenia": 455, - "Clossiana_chariclea": 456, - "Melitaea_cinxia": 457, - "Melitaea_aetherie": 458, - "Melitaea_arduinna": 459, - "Melitaea_phoebe": 460, - "Melitaea_didyma": 461, - "Melitaea_varia": 462, - "Melitaea_aurelia": 463, - "Melitaea_asteria": 464, - "Melitaea_diamina": 465, - "Meiltaea_didyma": 466, - "Melitaea_punica": 467, - "Melitaea_britomartis": 468, - "Melitaea_fergana": 469, - "Melitaea_acraeina": 470, - "Melitaea_trivia": 471, - "Melitaea_persea": 472, - "Melitaea_ambigua": 473, - "Melitaea_deione": 474, - "Melitaea_chitralensis": 475, - "Melitaea_saxatilis": 476, - "Melitaea_turanica": 477, - "Melitaea_minerva": 478, - "Melitaea_scotosia": 479, - "Euphydryas_maturna": 480, - "Euphydryas_ichnea": 481, - "Euphydryas_cynthia": 482, - "Euphydryas_aurinia": 483, - "Euphydryas_sibirica": 484, - "Euphydryas_iduna": 485, - "Melanargia_titea": 486, - "Melanargia_parce": 487, - "Melanargia_lachesis": 488, - "Melanargia_galathea": 489, - "Euphydryas_provincialis": 490, - "Euphydryas_desfontainii": 491, - "Melanargia_russiae": 492, - "Melanargia_larissa": 493, - "Melanargia_ines": 494, - "Melanargia_pherusa": 495, - "Melanargia_occitanica": 496, - "Melanargia_arge": 497, - "Melanargia_meridionalis": 498, - "Melanargia_leda": 499, - "Melanargia_halimede": 500, - "Melanargia_lugens": 501, - "Melanargia_hylata": 502, - "Davidina_armandi": 503, - "Hipparchia_semele": 504, - "Chazara_briseis": 505, - "Hipparchia_parisatis": 506, - "Hipparchia_stulta": 507, - "Hipparchia_fidia": 508, - "Hipparchia_genava": 509, - "Hipparchia_aristaeus": 510, - "Hipparchia_fagi": 511, - "Hipparchia_wyssii": 512, - "Hipparchia_fatua": 513, - "Hipparchia_statilinus": 514, - "Hipparchia_syriaca": 515, - "Hipparchia_neomiris": 516, - "Hipparchia_azorina": 517, - "Chazara_prieuri": 518, - "Chazara_bischoffii": 519, - "Chazara_enervata": 520, - "Chazara_persephone": 521, - "Chazara_kaufmanni": 522, - "Pseudochazara_hippolyte": 523, - "Pseudochazara_pelopea": 524, - "Pseudochazara_alpina": 525, - "Pseudochazara_beroe": 526, - "Pseudochazara_schahrudensis": 527, - "Pseudochazara_mniszechii": 528, - "Pseudochazara_geyeri": 529, - "Pseudochazara_telephassa": 530, - "Pseudochazara_anthelea": 531, - "Pseudochazara_amalthea": 532, - "Pseudochazara_graeca": 533, - "Pseudochazara_cingovskii": 534, - "Pseudochazara_orestes": 535, - "Karanasa_abramovi": 536, - "Karanasa_modesta": 537, - "Karanasa_huebneri": 538, - "Paroeneis_palaearcticus": 539, - "Paroeneis_pumilis": 540, - "Oeneis_magna": 541, - "Oeneis_tarpeia": 542, - "Oeneis_glacialis": 543, - "Oeneis_norna": 544, - "Satyrus_actaea": 545, - "Satyrus_parthicus": 546, - "Satyrus_ferula": 547, - "Minois_dryas": 548, - "Arethusana_arethusa": 549, - "Brintesia_circe": 550, - "Maniola_jurtina": 551, - "Aphantopus_hyperantus": 552, - "Hyponephele_pulchra": 553, - "Hyponephele_pulchella": 554, - "Hyponephele_davendra": 555, - "Hyponephele_cadusia": 556, - "Hyponephele_amardaea": 557, - "Hyponephele_lycaon": 558, - "Maniola_nurag": 559, - "Hyponephele_lupina": 560, - "Hyponephele_capella": 561, - "Hyponephele_interposita": 562, - "Pyronia_tithonus": 563, - "Coenonympha_gardetta": 564, - "Coenonympha_tullia": 565, - "Pyronia_bathseba": 566, - "Pyronia_cecilia": 567, - "Coenonympha_corinna": 568, - "Coenonympha_sunbecca": 569, - "Coenonympha_pamphilus": 570, - "Pyronia_janiroides": 571, - "Coenonympha_dorus": 572, - "Coenonympha_elbana": 573, - "Coenonympha_darwiniana": 574, - "Coenonympha_arcania": 575, - "Pararge_aegeria": 576, - "Coenonympha_leander": 577, - "Coenonympha_orientalis": 578, - "Ypthima_baldus": 579, - "Coenonympha_iphioides": 580, - "Coenonympha_glycerion": 581, - "Coenonympha_hero": 582, - "Coenonympha_oedippus": 583, - "Coenonympha_mongolica": 584, - "Ypthima_asterope": 585, - "Pararge_xiphioides": 586, - "Pararge_xiphia": 587, - "Lasiommata_megera": 588, - "Lasiommata_petropolitana": 589, - "Lasiommata_maera": 590, - "Lasiommata_paramegaera": 591, - "Lopinga_achine": 592, - "Erebia_euryale": 593, - "Kirinia_roxelana": 594, - "Kirinia_climene": 595, - "Neope_goschkevitschii": 596, - "Lethe_diana": 597, - "Mycalesis_francisca": 598, - "Erebia_ligea": 599, - "Lethe_sicelis": 600, - "Mycalesis_gotama": 601, - "Kirinia_eversmanni": 602, - "Erebia_eriphyle": 603, - "Erebia_manto": 604, - "Erebia_epiphron": 605, - "Erebia_flavofasciata": 606, - "Erebia_bubastis": 607, - "Erebia_claudina": 608, - "Erebia_christi": 609, - "Erebia_pharte": 610, - "Erebia_aethiops": 611, - "Erebia_melampus": 612, - "Erebia_sudetica": 613, - "Erebia_neriene": 614, - "Erebia_triaria": 615, - "Erebia_medusa": 616, - "Erebia_alberganus": 617, - "Erebia_pluto": 618, - "Gonepteryx_farinosa": 619, - "Melitaea_nevadensis": 620, - "Agriades_pheretiades": 621, - "Kretania_eurypilus": 622, - "Parnassius_eversmannii": 623, - "Parnassius_ariadne": 624, - "Parnassius_stenosemus": 625, - "Parnassius_hardwickii": 626, - "Parnassius_charltonius": 627, - "Parnassius_imperator": 628, - "Parnassius_acdestis": 629, - "Parnassius_cardinal": 630, - "Parnassius_szechenyii": 631, - "Parnassius_delphius": 632, - "Parnassius_maximinus": 633, - "Parnassius_staudingeri": 634, - "Parnassius_orleans": 635, - "Parnassius_augustus": 636, - "Parnassius_loxias": 637, - "Parnassius_charltontonius": 638, - "Parnassius_inopinatus": 639, - "Parnassius_autocrator": 640, - "Parnassius_cardinalgebi": 641, - "Parnassius_patricius": 642, - "Parnassius_stoliczkanus": 643, - "Parnassius_nordmanni": 644, - "Parnassius_simo": 645, - "Parnassius_bremeri": 646, - "Parnassius_actius": 647, - "Parnassius_andreji": 648, - "Parnassius_cephalus": 649, - "Parnassius_maharaja": 650, - "Parnassius_tenedius": 651, - "Parnassius_acco": 652, - "Parnassius_boedromius": 653, - "Parnassius_simonius": 654, - "Parnassius_tianschanicus": 655, - "Parnassius_phoebus": 656, - "Parnassius_honrathi": 657, - "Parnassius_ruckbeili": 658, - "Parnassius_epaphus": 659, - "Parnassius_nomion": 660, - "Parnassius_jacquemonti": 661, - "Parnassius_mercurius": 662, - "Parnassius_tibetanus": 663, - "Parnassius_clodius": 664, - "Parnassius_smintheus": 665, - "Parnassius_behrii": 666, - "Arisbe_mullah": 667, - "Atrophaneura_mencius": 668, - "Atrophaneura_plutonius": 669, - "Papilio_dehaani": 670, - "Papilio_polytes": 671, - "Atrophaneura_horishana": 672, - "Papilio_bootes": 673, - "Agehana_elwesi": 674, - "Papilio_maackii": 675, - "Atrophaneura_impediens": 676, - "Atrophaneura_polyeuctes": 677, - "Arisbe_mandarinus": 678, - "Arisbe_parus": 679, - "Atrophaneura_alcinous": 680, - "Arisbe_alebion": 681, - "Papilio_helenus": 682, - "Teinopalpus_imperialis": 683, - "Papilio_memnon": 684, - "Arisbe_eurous": 685, - "Graphium_sarpedon": 686, - "Arisbe_doson": 687, - "Arisbe_tamerlanus": 688, - "Papilio_bianor": 689, - "Papilio_paris": 690, - "Papilio_hopponis": 691, - "Atrophaneura_nevilli": 692, - "Papilio_krishna": 693, - "Papilio_macilentus": 694, - "Arisbe_leechi": 695, - "Papilio_protenor": 696, - "Graphium_cloanthus": 697, - "Papilio_thaiwanus": 698, - "Papilio_chaon": 699, - "Papilio_castor": 700, - "Meandrusa_sciron": 701, - "Papilio_arcturus": 702, - "Teinopalpus_aureus": 703, - "Agriades_lehanus": 704, - "Carterocephalus_dieckmanni": 705 + "Heteropterus_morpheus": 1, + "Thymelicus_sylvestris": 2, + "Thymelicus_lineola": 3, + "Thymelicus_acteon": 4, + "Hesperia_comma": 5, + "Ochlodes_venata": 6, + "Gegenes_nostrodamus": 7, + "Erynnis_tages": 8, + "Carcharodus_alceae": 9, + "Carcharodus_lavatherae": 10, + "Carcharodus_baeticus": 11, + "Carcharodus_floccifera": 12, + "Spialia_sertorius": 13, + "Spialia_orbifer": 14, + "Muschampia_proto": 15, + "Pyrgus_alveus": 16, + "Pyrgus_armoricanus": 17, + "Pyrgus_andromedae": 18, + "Pyrgus_cacaliae": 19, + "Pyrgus_carlinae": 20, + "Pyrgus_carthami": 21, + "Pyrgus_malvae": 22, + "Pyrgus_cinarae": 23, + "Pyrgus_cirsii": 24, + "Pyrgus_malvoides": 25, + "Pyrgus_onopordi": 26, + "Pyrgus_serratulae": 27, + "Pyrgus_sidae": 28, + "Pyrgus_warrenensis": 29, + "Parnassius_sacerdos": 30, + "Archon_apollinus": 31, + "Parnassius_apollo": 32, + "Parnassius_mnemosyne": 33, + "Parnassius_glacialis": 34, + "Sericinus_montela": 35, + "Zerynthia_rumina": 36, + "Zerynthia_polyxena": 37, + "Allancastria_cerisyi": 38, + "Allancastria_deyrollei": 39, + "Allancastria_caucasica": 40, + "Bhutanitis_thaidina": 41, + "Bhutanitis_lidderdalii": 42, + "Bhutanitis_mansfieldi": 43, + "Luehdorfia_japonica": 44, + "Luehdorfia_puziloi": 45, + "Luehdorfia_chinensis": 46, + "Papilio_machaon": 47, + "Parnassius_stubbendorfii": 48, + "Parnassius_apollonius": 49, + "Papilio_alexanor": 50, + "Papilio_hospiton": 51, + "Papilio_xuthus": 52, + "Iphiclides_podalirius": 53, + "Iphiclides_feisthamelii": 54, + "Leptidea_sinapis": 55, + "Colias_palaeno": 56, + "Colias_pelidne": 57, + "Leptidea_juvernica": 58, + "Leptidea_morsei": 59, + "Leptidea_amurensis": 60, + "Leptidea_duponcheli": 61, + "Colias_marcopolo": 62, + "Colias_ladakensis": 63, + "Colias_nebulosa": 64, + "Colias_nastes": 65, + "Colias_cocandica": 66, + "Colias_sieversi": 67, + "Colias_sifanica": 68, + "Colias_alpherakii": 69, + "Colias_christophi": 70, + "Colias_tyche": 71, + "Colias_phicomone": 72, + "Colias_alfacariensis": 73, + "Colias_hyale": 74, + "Colias_erate": 75, + "Colias_erschoffi": 76, + "Colias_romanovi": 77, + "Colias_regia": 78, + "Colias_stoliczkana": 79, + "Colias_hecla": 80, + "Colias_eogene": 81, + "Colias_thisoa": 82, + "Colias_staudingeri": 83, + "Colias_lada": 84, + "Colias_baeckeri": 85, + "Colias_fieldii": 86, + "Colias_heos": 87, + "Colias_caucasica": 88, + "Colias_diva": 89, + "Colias_chrysotheme": 90, + "Colias_balcanica": 91, + "Colias_myrmidone": 92, + "Colias_croceus": 93, + "Colias_felderi": 94, + "Colias_viluiensis": 95, + "Aporia_crataegi": 96, + "Colias_aurorina": 97, + "Colias_chlorocoma": 98, + "Colias_libanotica": 99, + "Colias_wiskotti": 100, + "Catopsilia_florella": 101, + "Gonepteryx_rhamni": 102, + "Gonepteryx_maxima": 103, + "Gonepteryx_cleopatra": 104, + "Gonepteryx_cleobule": 105, + "Gonepteryx_amintha": 106, + "Aporia_procris": 107, + "Mesapia_peloria": 108, + "Aporia_potanini": 109, + "Aporia_nabellica": 110, + "Baltia_butleri": 111, + "Pieris_brassicae": 112, + "Pieris_cheiranthi": 113, + "Pieris_rapae": 114, + "Erebia_gorge": 115, + "Erebia_aethiopellus": 116, + "Erebia_mnestra": 117, + "Erebia_epistygne": 118, + "Erebia_ottomana": 119, + "Erebia_tyndarus": 120, + "Erebia_oeme": 121, + "Erebia_lefebvrei": 122, + "Erebia_melas": 123, + "Erebia_zapateri": 124, + "Erebia_neoridas": 125, + "Erebia_montana": 126, + "Erebia_cassioides": 127, + "Erebia_nivalis": 128, + "Erebia_scipio": 129, + "Erebia_pronoe": 130, + "Erebia_styx": 131, + "Erebia_meolans": 132, + "Erebia_palarica": 133, + "Erebia_pandrose": 134, + "Erebia_meta": 135, + "Erebia_erinnyn": 136, + "Berberia_lambessanus": 137, + "Berberia_abdelkader": 138, + "Proterebia_afra": 139, + "Boeberia_parmenio": 140, + "Loxerebia_saxicola": 141, + "Pieris_mannii": 142, + "Pieris_ergane": 143, + "Pieris_krueperi": 144, + "Pieris_napi": 145, + "Lycaena_thersamon": 146, + "Lycaena_lampon": 147, + "Lycaena_solskyi": 148, + "Lycaena_splendens": 149, + "Lycaena_candens": 150, + "Lycaena_ochimus": 151, + "Lycaena_hippothoe": 152, + "Lycaena_tityrus": 153, + "Lycaena_thetis": 154, + "Melitaea_athalia": 155, + "Argynnis_paphia": 156, + "Heliophorus_tamu": 157, + "Heliophorus_brahma": 158, + "Heliophorus_androcles": 159, + "Cethosia_biblis": 160, + "Childrena_childreni": 161, + "Melitaea_parthenoides": 162, + "Pieris_bryoniae": 163, + "Pontia_edusa": 164, + "Pontia_daplidice": 165, + "Pontia_callidice": 166, + "Anthocharis_thibetana": 167, + "Anthocharis_bambusarum": 168, + "Anthocharis_bieti": 169, + "Anthocharis_scolymus": 170, + "Zegris_pyrothoe": 171, + "Zegris_eupheme": 172, + "Zegris_fausti": 173, + "Euchloe_simplonia": 174, + "Pontia_chloridice": 175, + "Euchloe_belemia": 176, + "Euchloe_ausonia": 177, + "Euchloe_tagis": 178, + "Euchloe_crameri": 179, + "Euchloe_insularis": 180, + "Euchloe_orientalis": 181, + "Euchloe_transcaspica": 182, + "Euchloe_charlonia": 183, + "Euchloe_tomyris": 184, + "Anthocharis_gruneri": 185, + "Anthocharis_damone": 186, + "Anthocharis_cardamines": 187, + "Anthocharis_belia": 188, + "Anthocharis_euphenoides": 189, + "Colotis_fausta": 190, + "Colotis_evagore": 191, + "Hamearis_lucina": 192, + "Polycaena_tamerlana": 193, + "Lycaena_phlaeas": 194, + "Lycaena_helle": 195, + "Lycaena_pang": 196, + "Lycaena_caspius": 197, + "Lycaena_margelanica": 198, + "Lycaena_dispar": 199, + "Lycaena_alciphron": 200, + "Lycaena_virgaureae": 201, + "Lycaena_kasyapa": 202, + "Favonius_quercus": 203, + "Cigaritis_siphax": 204, + "Cigaritis_allardi": 205, + "Tomares_ballus": 206, + "Tomares_nogelii": 207, + "Tomares_mauretanicus": 208, + "Tomares_romanovi": 209, + "Tomares_callimachus": 210, + "Chrysozephyrus_smaragdinus": 211, + "Ussuriana_micahaelis": 212, + "Coreana_raphaelis": 213, + "Japonica_saepestriata": 214, + "Thecla_betulae": 215, + "Celastrina_argiolus": 216, + "Laeosopis_roboris": 217, + "Callophrys_rubi": 218, + "Zizeeria_knysna": 219, + "Tarucus_theophrastus": 220, + "Cyclyrius_webbianus": 221, + "Tarucus_balkanica": 222, + "Leptotes_pirithous": 223, + "Satyrium_spini": 224, + "Lampides_boeticus": 225, + "Satyrium_w-album": 226, + "Satyrium_ilicis": 227, + "Satyrium_pruni": 228, + "Satyrium_acaciae": 229, + "Satyrium_esculi": 230, + "Neolycaena_rhymnus": 231, + "Callophrys_avis": 232, + "Cupido_minimus": 233, + "Maculinea_rebeli": 234, + "Maculinea_arion": 235, + "Cupido_alcetas": 236, + "Cupido_osiris": 237, + "Cupido_argiades": 238, + "Cupido_decolorata": 239, + "Glaucopsyche_melanops": 240, + "Glaucopsyche_alexis": 241, + "Maculinea_alcon": 242, + "Maculinea_teleius": 243, + "Pseudophilotes_abencerragus": 244, + "Pseudophilotes_panoptes": 245, + "Pseudophilotes_vicrama": 246, + "Pseudophilotes_baton": 247, + "Maculinea_nausithous": 248, + "Scolitantides_orion": 249, + "Iolana_gigantea": 250, + "Iolana_iolas": 251, + "Plebejus_argus": 252, + "Plebejus_eversmanni": 253, + "Glaucopsyche_paphos": 254, + "Plebejus_argyrognomon": 255, + "Agriades_optilete": 256, + "Plebejidea_loewii": 257, + "Plebejus_idas": 258, + "Kretania_trappi": 259, + "Kretania_pylaon": 260, + "Kretania_martini": 261, + "Plebejus_samudra": 262, + "Agriades_orbitulus": 263, + "Aricia_artaxerxes": 264, + "Pamiria_omphisa": 265, + "Agriades_glandon": 266, + "Aricia_agestis": 267, + "Polyommatus_damon": 268, + "Eumedonia_eumedon": 269, + "Aricia_nicias": 270, + "Cyaniris_semiargus": 271, + "Polyommatus_dolus": 272, + "Aricia_anteros": 273, + "Polyommatus_antidolus": 274, + "Polyommatus_phyllis": 275, + "Polyommatus_iphidamon": 276, + "Polyommatus_damonides": 277, + "Polyommatus_damone": 278, + "Polyommatus_ripartii": 279, + "Polyommatus_admetus": 280, + "Polyommatus_dorylas": 281, + "Polyommatus_erschoffi": 282, + "Polyommatus_thersites": 283, + "Polyommatus_escheri": 284, + "Lysandra_bellargus": 285, + "Lysandra_coridon": 286, + "Lysandra_hispana": 287, + "Lysandra_albicans": 288, + "Lysandra_caelestissima": 289, + "Lysandra_punctifera": 290, + "Polyommatus_nivescens": 291, + "Polyommatus_aedon": 292, + "Polyommatus_atys": 293, + "Polyommatus_icarus": 294, + "Polyommatus_caeruleus": 295, + "Glabroculus_elvira": 296, + "Glabroculus_cyane": 297, + "Polyommatus_stoliczkana": 298, + "Polyommatus_golgus": 299, + "Neolysandra_coelestina": 300, + "Neolysandra_corona": 301, + "Polyommatus_amandus": 302, + "Polyommatus_daphnis": 303, + "Polyommatus_eros": 304, + "Polyommatus_celina": 305, + "Libythea_celtis": 306, + "Danaus_plexippus": 307, + "Danaus_chrysippus": 308, + "Charaxes_jasius": 309, + "Apatura_iris": 310, + "Apatura_ilia": 311, + "Limenitis_reducta": 312, + "Apatura_metis": 313, + "Euapatura_mirza": 314, + "Hestina_japonica": 315, + "Timelaea_albescens": 316, + "Limenitis_populi": 317, + "Limenitis_camilla": 318, + "Mimathyma_schrenckii": 319, + "Limenitis_sydyi": 320, + "Lelecella_limenitoides": 321, + "Neptis_sappho": 322, + "Neptis_rivularis": 323, + "Nymphalis_antiopa": 324, + "Nymphalis_polychloros": 325, + "Nymphalis_xanthomelas": 326, + "Nymphalis_l-album": 327, + "Nymphalis_urticae": 328, + "Nymphalis_ichnusa": 329, + "Nymphalis_egea": 330, + "Nymphalis_c-album": 331, + "Inachis_io": 332, + "Araschnia_burejana": 333, + "Araschnia_levana": 334, + "Nymphalis_canace": 335, + "Nymphalis_c-aureum": 336, + "Vanessa_atalanta": 337, + "Vanessa_vulcania": 338, + "Vanessa_cardui": 339, + "Argynnis_pandora": 340, + "Speyeria_aglaja": 341, + "Fabriciana_niobe": 342, + "Speyeria_clara": 343, + "Argyronome_laodice": 344, + "Fabriciana_adippe": 345, + "Fabriciana_jainadeva": 346, + "Fabriciana_auresiana": 347, + "Fabriciana_elisa": 348, + "Issoria_lathonia": 349, + "Brenthis_hecate": 350, + "Brenthis_daphne": 351, + "Brenthis_ino": 352, + "Boloria_pales": 353, + "Kuekenthaliella_eugenia": 354, + "Boloria_aquilonaris": 355, + "Boloria_napaea": 356, + "Clossiana_selene": 357, + "Proclossiana_eunomia": 358, + "Boloria_graeca": 359, + "Clossiana_thore": 360, + "Clossiana_dia": 361, + "Clossiana_euphrosyne": 362, + "Clossiana_titania": 363, + "Clossiana_freija": 364, + "Melitaea_cinxia": 365, + "Melitaea_phoebe": 366, + "Melitaea_didyma": 367, + "Melitaea_varia": 368, + "Melitaea_aurelia": 369, + "Melitaea_asteria": 370, + "Melitaea_diamina": 371, + "Melitaea_britomartis": 372, + "Melitaea_acraeina": 373, + "Melitaea_trivia": 374, + "Melitaea_persea": 375, + "Melitaea_ambigua": 376, + "Melitaea_deione": 377, + "Melitaea_turanica": 378, + "Euphydryas_maturna": 379, + "Euphydryas_ichnea": 380, + "Euphydryas_cynthia": 381, + "Euphydryas_aurinia": 382, + "Euphydryas_sibirica": 383, + "Euphydryas_iduna": 384, + "Melanargia_titea": 385, + "Melanargia_parce": 386, + "Melanargia_lachesis": 387, + "Melanargia_galathea": 388, + "Melanargia_russiae": 389, + "Melanargia_larissa": 390, + "Melanargia_ines": 391, + "Melanargia_pherusa": 392, + "Melanargia_occitanica": 393, + "Melanargia_arge": 394, + "Melanargia_meridionalis": 395, + "Melanargia_leda": 396, + "Melanargia_halimede": 397, + "Davidina_armandi": 398, + "Hipparchia_semele": 399, + "Chazara_briseis": 400, + "Hipparchia_parisatis": 401, + "Hipparchia_fidia": 402, + "Hipparchia_genava": 403, + "Hipparchia_aristaeus": 404, + "Hipparchia_fagi": 405, + "Hipparchia_wyssii": 406, + "Hipparchia_fatua": 407, + "Hipparchia_statilinus": 408, + "Hipparchia_syriaca": 409, + "Hipparchia_neomiris": 410, + "Hipparchia_azorina": 411, + "Chazara_prieuri": 412, + "Chazara_bischoffii": 413, + "Chazara_persephone": 414, + "Pseudochazara_pelopea": 415, + "Pseudochazara_beroe": 416, + "Pseudochazara_schahrudensis": 417, + "Pseudochazara_telephassa": 418, + "Pseudochazara_anthelea": 419, + "Pseudochazara_amalthea": 420, + "Pseudochazara_graeca": 421, + "Pseudochazara_cingovskii": 422, + "Karanasa_modesta": 423, + "Oeneis_magna": 424, + "Oeneis_glacialis": 425, + "Satyrus_actaea": 426, + "Satyrus_parthicus": 427, + "Satyrus_ferula": 428, + "Minois_dryas": 429, + "Arethusana_arethusa": 430, + "Brintesia_circe": 431, + "Maniola_jurtina": 432, + "Aphantopus_hyperantus": 433, + "Hyponephele_pulchra": 434, + "Hyponephele_pulchella": 435, + "Hyponephele_cadusia": 436, + "Hyponephele_amardaea": 437, + "Hyponephele_lycaon": 438, + "Maniola_nurag": 439, + "Hyponephele_lupina": 440, + "Pyronia_tithonus": 441, + "Coenonympha_gardetta": 442, + "Coenonympha_tullia": 443, + "Pyronia_bathseba": 444, + "Pyronia_cecilia": 445, + "Coenonympha_corinna": 446, + "Coenonympha_pamphilus": 447, + "Pyronia_janiroides": 448, + "Coenonympha_dorus": 449, + "Coenonympha_darwiniana": 450, + "Coenonympha_arcania": 451, + "Pararge_aegeria": 452, + "Coenonympha_leander": 453, + "Ypthima_baldus": 454, + "Coenonympha_iphioides": 455, + "Coenonympha_glycerion": 456, + "Coenonympha_hero": 457, + "Coenonympha_oedippus": 458, + "Pararge_xiphioides": 459, + "Lasiommata_megera": 460, + "Lasiommata_petropolitana": 461, + "Lasiommata_maera": 462, + "Lasiommata_paramegaera": 463, + "Lopinga_achine": 464, + "Erebia_euryale": 465, + "Kirinia_roxelana": 466, + "Kirinia_climene": 467, + "Neope_goschkevitschii": 468, + "Erebia_ligea": 469, + "Kirinia_eversmanni": 470, + "Erebia_eriphyle": 471, + "Erebia_manto": 472, + "Erebia_epiphron": 473, + "Erebia_flavofasciata": 474, + "Erebia_bubastis": 475, + "Erebia_claudina": 476, + "Erebia_christi": 477, + "Erebia_pharte": 478, + "Erebia_aethiops": 479, + "Erebia_melampus": 480, + "Erebia_sudetica": 481, + "Erebia_neriene": 482, + "Erebia_triaria": 483, + "Erebia_medusa": 484, + "Erebia_alberganus": 485, + "Erebia_pluto": 486, + "Gonepteryx_farinosa": 487, + "Melitaea_nevadensis": 488, + "Agriades_pheretiades": 489, + "Parnassius_eversmannii": 490, + "Parnassius_ariadne": 491, + "Parnassius_stenosemus": 492, + "Parnassius_hardwickii": 493, + "Parnassius_charltonius": 494, + "Parnassius_imperator": 495, + "Parnassius_acdestis": 496, + "Parnassius_cardinal": 497, + "Parnassius_szechenyii": 498, + "Parnassius_delphius": 499, + "Parnassius_maximinus": 500, + "Parnassius_staudingeri": 501, + "Parnassius_orleans": 502, + "Parnassius_augustus": 503, + "Parnassius_loxias": 504, + "Parnassius_charltontonius": 505, + "Parnassius_autocrator": 506, + "Parnassius_stoliczkanus": 507, + "Parnassius_nordmanni": 508, + "Parnassius_simo": 509, + "Parnassius_bremeri": 510, + "Parnassius_actius": 511, + "Parnassius_cephalus": 512, + "Parnassius_maharaja": 513, + "Parnassius_tenedius": 514, + "Parnassius_acco": 515, + "Parnassius_boedromius": 516, + "Parnassius_tianschanicus": 517, + "Parnassius_phoebus": 518, + "Parnassius_honrathi": 519, + "Parnassius_ruckbeili": 520, + "Parnassius_epaphus": 521, + "Parnassius_nomion": 522, + "Parnassius_jacquemonti": 523, + "Parnassius_mercurius": 524, + "Parnassius_tibetanus": 525, + "Parnassius_clodius": 526, + "Parnassius_smintheus": 527, + "Parnassius_behrii": 528, + "Atrophaneura_mencius": 529, + "Atrophaneura_plutonius": 530, + "Papilio_dehaani": 531, + "Papilio_polytes": 532, + "Atrophaneura_horishana": 533, + "Papilio_bootes": 534, + "Agehana_elwesi": 535, + "Papilio_maackii": 536, + "Atrophaneura_impediens": 537, + "Atrophaneura_polyeuctes": 538, + "Arisbe_mandarinus": 539, + "Arisbe_parus": 540, + "Atrophaneura_alcinous": 541, + "Arisbe_alebion": 542, + "Papilio_helenus": 543, + "Teinopalpus_imperialis": 544, + "Arisbe_eurous": 545, + "Graphium_sarpedon": 546, + "Arisbe_doson": 547, + "Arisbe_tamerlanus": 548, + "Papilio_bianor": 549, + "Papilio_paris": 550, + "Atrophaneura_nevilli": 551, + "Papilio_krishna": 552, + "Papilio_macilentus": 553, + "Arisbe_leechi": 554, + "Papilio_protenor": 555, + "Graphium_cloanthus": 556, + "Papilio_castor": 557, + "Meandrusa_sciron": 558, + "Papilio_arcturus": 559, + "Agriades_lehanus": 560 } + self.levels = [len(self.family), len(self.subfamily), len(self.genus), len(self.specific_epithet)] self.n_classes = sum(self.levels) + self.classes = [key for class_list in [self.family, self.subfamily, self.genus, self.specific_epithet] for key + in class_list] + self.level_names = ['family', 'subfamily', 'genus', 'specific_epithet'] def get_one_hot(self, family, subfamily, genus, specific_epithet): retval = np.zeros(self.n_classes) retval[self.family[family]] = 1 retval[self.subfamily[subfamily] + self.levels[0]] = 1 - retval[self.genus[genus] + self.levels[1]] = 1 - retval[self.specific_epithet[specific_epithet] + self.levels[2]] = 1 + retval[self.genus[genus] + self.levels[0] + self.levels[1]] = 1 + retval[self.specific_epithet[specific_epithet] + self.levels[0] + self.levels[1] + self.levels[2]] = 1 return retval def get_label_id(self, level_name, label_name): return getattr(self, level_name)[label_name] + def get_level_labels(self, family, subfamily, genus, specific_epithet): + return np.array([ + self.get_label_id('family', family), + self.get_label_id('subfamily', subfamily), + self.get_label_id('genus', genus), + self.get_label_id('specific_epithet', specific_epithet) + ]) + + +class ETHECLabelMapMerged(ETHECLabelMap): + def __init__(self): + ETHECLabelMap.__init__(self) + self.levels = [len(self.family), len(self.subfamily), len(self.genus), len(self.genus_specific_epithet)] + self.n_classes = sum(self.levels) + self.classes = [key for class_list in [self.family, self.subfamily, self.genus, self.genus_specific_epithet] for + key + in class_list] + self.level_names = ['family', 'subfamily', 'genus', 'genus_specific_epithet'] + + def get_one_hot(self, family, subfamily, genus, genus_specific_epithet): + retval = np.zeros(self.n_classes) + retval[self.family[family]] = 1 + retval[self.subfamily[subfamily] + self.levels[0]] = 1 + retval[self.genus[genus] + self.levels[0] + self.levels[1]] = 1 + retval[ + self.genus_specific_epithet[genus_specific_epithet] + self.levels[0] + self.levels[1] + self.levels[2]] = 1 + return retval + + def get_label_id(self, level_name, label_name): + return getattr(self, level_name)[label_name] + + def get_level_labels(self, family, subfamily, genus, genus_specific_epithet): + return np.array([ + self.get_label_id('family', family), + self.get_label_id('subfamily', subfamily), + self.get_label_id('genus', genus), + self.get_label_id('genus_specific_epithet', genus_specific_epithet) + ]) + class ETHEC: """ ETHEC iterator. """ + def __init__(self, path_to_json): """ Constructor. @@ -1652,10 +1404,124 @@ def get_sample(self, token): return self.data_dict[token] +class ETHECSmall(ETHEC): + """ + ETHEC iterator. + """ + + def __init__(self, path_to_json, single_level=False): + """ + Constructor. + :param path_to_json: .json path used for loading database entries. + """ + lmap = ETHECLabelMapMergedSmall(single_level) + self.path_to_json = path_to_json + with open(path_to_json) as json_file: + self.data_dict = json.load(json_file) + # print([token for token in self.data_dict]) + if single_level: + self.data_tokens = [token for token in self.data_dict + if self.data_dict[token]['family'] in lmap.family] + else: + self.data_tokens = [token for token in self.data_dict + if '{}_{}'.format(self.data_dict[token]['genus'], + self.data_dict[token]['specific_epithet']) + in lmap.genus_specific_epithet] + + +class ETHECLabelMapMergedSmall(ETHECLabelMapMerged): + def __init__(self, single_level=False): + self.single_level = single_level + ETHECLabelMapMerged.__init__(self) + + self.family = { + # "dummy1": 0, + "Hesperiidae": 0, + "Riodinidae": 1, + "Lycaenidae": 2, + "Papilionidae": 3, + "Pieridae": 4 + } + if self.single_level: + print('== Using single_level data') + self.levels = [len(self.family)] + self.n_classes = sum(self.levels) + self.classes = [key for class_list in [self.family] for key + in class_list] + self.level_names = ['family'] + else: + self.subfamily = { + "Hesperiinae": 0, + "Pyrginae": 1, + "Nemeobiinae": 2, + "Polyommatinae": 3, + "Parnassiinae": 4, + "Pierinae": 5 + } + self.genus = { + "Ochlodes": 0, + "Hesperia": 1, + "Pyrgus": 2, + "Spialia": 3, + "Hamearis": 4, + "Polycaena": 5, + "Agriades": 6, + "Parnassius": 7, + "Aporia": 8 + } + self.genus_specific_epithet = { + "Ochlodes_venata": 0, + "Hesperia_comma": 1, + "Pyrgus_alveus": 2, + "Spialia_sertorius": 3, + "Hamearis_lucina": 4, + "Polycaena_tamerlana": 5, + "Agriades_lehanus": 6, + "Parnassius_jacquemonti": 7, + "Aporia_crataegi": 8, + "Aporia_procris": 9, + "Aporia_potanini": 10, + "Aporia_nabellica": 11 + + } + self.levels = [len(self.family), len(self.subfamily), len(self.genus), len(self.genus_specific_epithet)] + self.n_classes = sum(self.levels) + self.classes = [key for class_list in [self.family, self.subfamily, self.genus, self.genus_specific_epithet] + for key in class_list] + self.level_names = ['family', 'subfamily', 'genus', 'genus_specific_epithet'] + + def get_one_hot(self, family, subfamily, genus, genus_specific_epithet): + retval = np.zeros(self.n_classes) + retval[self.family[family]] = 1 + if not self.single_level: + retval[self.subfamily[subfamily] + self.levels[0]] = 1 + retval[self.genus[genus] + self.levels[0] + self.levels[1]] = 1 + retval[self.genus_specific_epithet[genus_specific_epithet] + self.levels[0] + self.levels[1] + self.levels[ + 2]] = 1 + return retval + + def get_label_id(self, level_name, label_name): + return getattr(self, level_name)[label_name] + + def get_level_labels(self, family, subfamily=None, genus=None, genus_specific_epithet=None): + if not self.single_level: + return np.array([ + self.get_label_id('family', family), + self.get_label_id('subfamily', subfamily), + self.get_label_id('genus', genus), + self.get_label_id('genus_specific_epithet', genus_specific_epithet) + ]) + else: + return np.array([ + self.get_label_id('family', family) + ]) + + class ETHECDB(torch.utils.data.Dataset): """ Creates a PyTorch dataset. """ + def __init__(self, path_to_json, path_to_images, labelmap, transform=None): """ Constructor. @@ -1678,19 +1544,27 @@ def __getitem__(self, item): {'image': image, 'labels': hot vector, 'leaf_label': } """ sample = self.ETHEC.__getitem__(item) - image_folder = sample['image_path'][11:21] + "R" if '.JPG' in sample['image_path'] else sample['image_name'][11:21] + "R" + image_folder = sample['image_path'][11:21] + "R" if '.JPG' in sample['image_path'] else sample['image_name'][ + 11:21] + "R" path_to_image = os.path.join(self.path_to_images, image_folder, sample['image_path'] if '.JPG' in sample['image_path'] else sample['image_name']) img = cv2.imread(path_to_image) if img is None: print('This image is None: {} {}'.format(path_to_image, sample['token'])) - ret_sample = {'image': np.array(img, dtype=np.float32), - 'labels': self.labelmap.get_one_hot(sample['family'], sample['subfamily'], sample['genus'], - sample['specific_epithet']), - 'leaf_label': self.labelmap.get_label_id('specific_epithet', sample['specific_epithet'])} + img = np.array(img) if self.transform: - ret_sample = self.transform(ret_sample) + img = self.transform(img) + + ret_sample = { + 'image': img, + 'labels': torch.from_numpy(self.labelmap.get_one_hot(sample['family'], sample['subfamily'], sample['genus'], + sample['specific_epithet'])).float(), + 'leaf_label': self.labelmap.get_label_id('specific_epithet', sample['specific_epithet']), + 'level_labels': torch.from_numpy(self.labelmap.get_level_labels(sample['family'], sample['subfamily'], + sample['genus'], + sample['specific_epithet'])).long() + } return ret_sample def __len__(self): @@ -1709,6 +1583,77 @@ def get_sample(self, token): return self.ETHEC.get_sample(token) +class ETHECDBMerged(ETHECDB): + """ + Creates a PyTorch dataset. + """ + + def __init__(self, path_to_json, path_to_images, labelmap, transform=None): + """ + Constructor. + :param path_to_json: Path to .json from which to read database entries. + :param path_to_images: Path to parent directory where images are stored. + :param labelmap: Labelmap. + :param transform: Set of transforms to be applied to the entries in the database. + """ + ETHECDB.__init__(self, path_to_json, path_to_images, labelmap, transform) + + def __getitem__(self, item): + """ + Fetch an entry based on index. + :param item: Index to fetch. + :return: Consumable object (see schema.md) + {'image': image, 'labels': hot vector, 'leaf_label': } + """ + + sample = self.ETHEC.__getitem__(item) + image_folder = sample['image_path'][11:21] + "R" if '.JPG' in sample['image_path'] else sample['image_name'][ + 11:21] + "R" + path_to_image = os.path.join(self.path_to_images, image_folder, + sample['image_path'] if '.JPG' in sample['image_path'] else sample['image_name']) + img = cv2.imread(path_to_image) + if img is None: + print('This image is None: {} {}'.format(path_to_image, sample['token'])) + + img = np.array(img) + if self.transform: + img = self.transform(img) + + ret_sample = { + 'image': img, + 'labels': torch.from_numpy(self.labelmap.get_one_hot(sample['family'], sample['subfamily'], sample['genus'], + '{}_{}'.format(sample['genus'], + sample['specific_epithet']))).float(), + 'leaf_label': self.labelmap.get_label_id('genus_specific_epithet', + '{}_{}'.format(sample['genus'], sample['specific_epithet'])), + 'level_labels': torch.from_numpy(self.labelmap.get_level_labels(sample['family'], sample['subfamily'], + sample['genus'], + '{}_{}'.format(sample['genus'], sample[ + 'specific_epithet']))).long() + } + return ret_sample + + +class ETHECDBMergedSmall(ETHECDBMerged): + """ + Creates a PyTorch dataset. + """ + + def __init__(self, path_to_json, path_to_images, labelmap, transform=None): + """ + Constructor. + :param path_to_json: Path to .json from which to read database entries. + :param path_to_images: Path to parent directory where images are stored. + :param labelmap: Labelmap. + :param transform: Set of transforms to be applied to the entries in the database. + """ + ETHECDBMerged.__init__(self, path_to_json, path_to_images, labelmap, transform) + if hasattr(labelmap, 'single_level'): + self.ETHEC = ETHECSmall(self.path_to_json, labelmap.single_level) + else: + self.ETHEC = ETHECSmall(self.path_to_json) + + def generate_labelmap(path_to_json): """ Generates entries for labelmap. @@ -1745,6 +1690,7 @@ class SplitDataset: """ Splits a given dataset to train, val and test. """ + def __init__(self, path_to_json, path_to_images, path_to_save_splits, labelmap, train_ratio=0.8, val_ratio=0.1, test_ratio=0.1): """ @@ -1778,7 +1724,8 @@ def collect_stats(self): for data_id in range(len(self.database)): sample = self.database[data_id] - label_id = self.labelmap.get_label_id('specific_epithet', sample['specific_epithet']) + label_id = self.labelmap.get_label_id('genus_specific_epithet', + '{}_{}'.format(sample['genus'], sample['specific_epithet'])) if label_id not in self.stats: self.stats[label_id] = [sample['token']] else: @@ -1798,18 +1745,20 @@ def split(self): # if the number of samples are less than self.minimum_samples_to_use_split then split them equally if n_samples < self.minimum_samples_to_use_split: - n_train_samples, n_val_samples, n_test_samples = n_samples//3, n_samples//3, n_samples//3 + n_train_samples, n_val_samples, n_test_samples = n_samples // 3, n_samples // 3, n_samples // 3 else: n_train_samples = int(self.train_ratio * n_samples) n_val_samples = int(self.val_ratio * n_samples) n_test_samples = int(self.test_ratio * n_samples) remaining_samples = n_samples - (n_train_samples + n_val_samples + n_test_samples) - n_val_samples += remaining_samples % 2 + remaining_samples//2 - n_test_samples += remaining_samples//2 + n_val_samples += remaining_samples % 2 + remaining_samples // 2 + n_test_samples += remaining_samples // 2 + + # print(label_id, n_train_samples, n_val_samples, n_test_samples) train_samples_id_list = samples_for_label_id[:n_train_samples] - val_samples_id_list = samples_for_label_id[n_train_samples:n_train_samples+n_val_samples] + val_samples_id_list = samples_for_label_id[n_train_samples:n_train_samples + n_val_samples] test_samples_id_list = samples_for_label_id[-n_test_samples:] for sample_id in train_samples_id_list: @@ -1824,11 +1773,11 @@ def write_to_disk(self): Write the train, val, test .json splits to disk. :return: - """ - with open(os.path.join(self.path_to_save_splits, 'train.json'), 'w') as fp: + with open(os.path.join(self.path_to_save_splits, 'train_merged.json'), 'w') as fp: json.dump(self.train, fp, indent=4) - with open(os.path.join(self.path_to_save_splits, 'val.json'), 'w') as fp: + with open(os.path.join(self.path_to_save_splits, 'val_merged.json'), 'w') as fp: json.dump(self.val, fp, indent=4) - with open(os.path.join(self.path_to_save_splits, 'test.json'), 'w') as fp: + with open(os.path.join(self.path_to_save_splits, 'test_merged.json'), 'w') as fp: json.dump(self.test, fp, indent=4) def make_split_to_disk(self): @@ -1841,82 +1790,112 @@ def make_split_to_disk(self): self.write_to_disk() -class Rescale(object): - """ - Resize images. - """ - def __init__(self, output_size): - """ - Constructor. - :param output_size: <(int, int)> Tuple specifying the spatial dimensions of the resized image. - """ - assert isinstance(output_size, (int, tuple)) - self.output_size = output_size +class Rescale(torchvision.transforms.Resize): + def __init__(self, size, interpolation=Image.BILINEAR): + torchvision.transforms.Resize.__init__(self, size, interpolation) def __call__(self, sample): - """ - Returns sample with resized image. - :param sample: see ETHECDB - :return: see ETHECDB - """ - image, label, leaf_label = sample['image'], sample['labels'], sample['leaf_label'] - h, w = image.shape[:2] - if isinstance(self.output_size, int): - if h > w: - new_h, new_w = self.output_size * h / w, self.output_size - else: - new_h, new_w = self.output_size, self.output_size * w / h - else: - new_h, new_w = self.output_size - - new_h, new_w = int(new_h), int(new_w) - - img = transform.resize(image, (new_h, new_w)) - - return {'image': img, 'labels': label, 'leaf_label': leaf_label} + image, label, leaf_label, level_labels = sample['image'], sample['labels'], sample['leaf_label'], \ + sample['level_labels'] + return {'image': torchvision.transforms.functional.resize(image, self.size, self.interpolation), + 'labels': label, + 'leaf_label': leaf_label, + 'level_labels': level_labels} -class ToTensor(object): - """Convert ndarrays in sample to Tensors.""" - +class ToTensor(torchvision.transforms.ToTensor): def __call__(self, sample): - image, label, leaf_label = sample['image'], sample['labels'], sample['leaf_label'] - + image, label, leaf_label, level_labels = sample['image'], sample['labels'], sample['leaf_label'], \ + sample['level_labels'] + image = torchvision.transforms.functional.to_tensor(image) # swap color axis because # numpy image: H x W x C # torch image: C X H X W - image = image.transpose((2, 0, 1)) - return {'image': torch.from_numpy(image).float(), + return {'image': image.float(), 'labels': torch.from_numpy(label).float(), - 'leaf_label': leaf_label} + 'leaf_label': leaf_label, + 'level_labels': torch.from_numpy(level_labels).long()} class Normalize(torchvision.transforms.Normalize): - """Normalize a tensor image with mean and standard deviation. - Given mean: ``(M1,...,Mn)`` and std: ``(S1,..,Sn)`` for ``n`` channels, this transform - will normalize each channel of the input ``torch.*Tensor`` i.e. - ``input[channel] = (input[channel] - mean[channel]) / std[channel]`` - .. note:: - This transform acts out of place, i.e., it does not mutates the input tensor. - Args: - mean (sequence): Sequence of means for each channel. - std (sequence): Sequence of standard deviations for each channel. - """ - def __init__(self, mean, std, inplace=False): torchvision.transforms.Normalize.__init__(self, mean, std, inplace) def __call__(self, input): - """ - Args: - tensor (Tensor): Tensor image of size (C, H, W) to be normalized. - Returns: - Tensor: Normalized Tensor image. - """ input['image'] = super(Normalize, self).__call__(input['image']) return input +class ColorJitter(torchvision.transforms.ColorJitter): + def __init__(self, brightness=0, contrast=0, saturation=0, hue=0): + torchvision.transforms.ColorJitter.__init__(self, brightness, contrast, saturation, hue) + + def __call__(self, sample): + image, label, leaf_label, level_labels = sample['image'], sample['labels'], sample['leaf_label'], \ + sample['level_labels'] + transform = self.get_params(self.brightness, self.contrast, + self.saturation, self.hue) + return {'image': transform(image), + 'labels': label, + 'leaf_label': leaf_label, + 'level_labels': level_labels} + + +class ToPILImage(torchvision.transforms.ToPILImage): + def __init__(self, mode=None): + torchvision.transforms.ToPILImage.__init__(self, mode) + + def __call__(self, sample): + image, label, leaf_label, level_labels = sample['image'], sample['labels'], sample['leaf_label'], \ + sample['level_labels'] + return {'image': torchvision.transforms.functional.to_pil_image(image, self.mode), + 'labels': label, + 'leaf_label': leaf_label, + 'level_labels': level_labels} + + +class RandomHorizontalFlip(torchvision.transforms.RandomHorizontalFlip): + def __init__(self, p=0.5): + torchvision.transforms.RandomHorizontalFlip.__init__(self, p) + + def __call__(self, sample): + image, label, leaf_label, level_labels = sample['image'], sample['labels'], sample['leaf_label'], \ + sample['level_labels'] + if random.random() < self.p: + image = torchvision.transforms.functional.hflip(image) + return {'image': image, + 'labels': label, + 'leaf_label': leaf_label, + 'level_labels': level_labels} + + +class RandomCrop(torchvision.transforms.RandomCrop): + def __init__(self, size, padding=None, pad_if_needed=False, fill=0, padding_mode='constant'): + torchvision.transforms.RandomCrop.__init__(self, size, padding, pad_if_needed, fill, padding_mode) + + def __call__(self, sample): + image, label, leaf_label, level_labels = sample['image'], sample['labels'], sample['leaf_label'], \ + sample['level_labels'] + if self.padding is not None: + image = torchvision.transforms.functional.pad(image, self.padding, self.fill, self.padding_mode) + + # pad the width if needed + if self.pad_if_needed and image.size[0] < self.size[1]: + image = torchvision.transforms.functional.pad(image, (self.size[1] - image.size[0], 0), self.fill, + self.padding_mode) + # pad the height if needed + if self.pad_if_needed and image.size[1] < self.size[0]: + image = torchvision.transforms.functional.pad(image, (0, self.size[0] - image.size[1]), self.fill, + self.padding_mode) + + i, j, h, w = self.get_params(image, self.size) + + return {'image': torchvision.transforms.functional.crop(image, i, j, h, w), + 'labels': label, + 'leaf_label': leaf_label, + 'level_labels': level_labels} + + def generate_normalization_values(dataset): """ Calculate mean and std values for a dataset. @@ -1947,12 +1926,41 @@ def generate_normalization_values(dataset): print('Mean: {}, Std: {}'.format(mean, std)) +def print_labelmap(): + path_to_json = '../database/ETHEC/' + with open(os.path.join(path_to_json, 'train.json')) as json_file: + data_dict = json.load(json_file) + family, subfamily, genus, specific_epithet, genus_specific_epithet = {}, {}, {}, {}, {} + f_c, sf_c, g_c, se_c, gse_c = 0, 0, 0, 0, 0 + for key in data_dict: + if data_dict[key]['family'] not in family: + family[data_dict[key]['family']] = f_c + f_c += 1 + if data_dict[key]['subfamily'] not in subfamily: + subfamily[data_dict[key]['subfamily']] = sf_c + sf_c += 1 + if data_dict[key]['genus'] not in genus: + genus[data_dict[key]['genus']] = g_c + g_c += 1 + if data_dict[key]['specific_epithet'] not in specific_epithet: + specific_epithet[data_dict[key]['specific_epithet']] = se_c + se_c += 1 + if '{}_{}'.format(data_dict[key]['genus'], data_dict[key]['specific_epithet']) not in genus_specific_epithet: + genus_specific_epithet['{}_{}'.format(data_dict[key]['genus'], data_dict[key]['specific_epithet'])] = gse_c + gse_c += 1 + print(json.dumps(family, indent=4)) + print(json.dumps(subfamily, indent=4)) + print(json.dumps(genus, indent=4)) + print(json.dumps(specific_epithet, indent=4)) + print(json.dumps(genus_specific_epithet, indent=4)) + + if __name__ == '__main__': parser = argparse.ArgumentParser() parser.add_argument("--images_dir", help='Parent directory with images.', type=str) parser.add_argument("--json_path", help='Path to json with relevant data.', type=str) parser.add_argument("--path_to_save_splits", help='Path to json with relevant data.', type=str) - parser.add_argument("--mode", help='Path to json with relevant data.', type=str) + parser.add_argument("--mode", help='Path to json with relevant data. [split, calc_mean_std, small]', type=str) args = parser.parse_args() labelmap = ETHECLabelMap() @@ -1961,29 +1969,74 @@ def generate_normalization_values(dataset): if args.mode == 'split': # create files with train, val and test splits - data_splitter = SplitDataset(args.json_path, args.images_dir, args.path_to_save_splits, ETHECLabelMap()) + data_splitter = SplitDataset(args.json_path, args.images_dir, args.path_to_save_splits, ETHECLabelMapMerged()) data_splitter.make_split_to_disk() + elif args.mode == 'show_labelmap': + print_labelmap() + elif args.mode == 'calc_mean_std': + tform = transforms.Compose([transforms.Resize((224, 224)), + transforms.ToTensor()]) train_set = ETHECDB(path_to_json='../database/ETHEC/train.json', path_to_images='/media/ankit/DataPartition/IMAGO_build/', labelmap=labelmap, transform=tform) generate_normalization_values(train_set) - + elif args.mode == 'small': + labelmap = ETHECLabelMapMergedSmall(single_level=True) + initial_crop = 324 + input_size = 224 + train_data_transforms = transforms.Compose([transforms.ToPILImage(), + transforms.Resize((initial_crop, initial_crop)), + transforms.RandomCrop((input_size, input_size)), + transforms.RandomHorizontalFlip(), + # ColorJitter(brightness=0.2, contrast=0.2), + transforms.ToTensor(), + transforms.Normalize(mean=(143.2341, 162.8151, 177.2185), + std=(66.7762, 59.2524, 51.5077))]) + val_test_data_transforms = transforms.Compose([transforms.ToPILImage(), + transforms.Resize((input_size, input_size)), + transforms.ToTensor(), + transforms.Normalize(mean=(143.2341, 162.8151, 177.2185), + std=(66.7762, 59.2524, 51.5077))]) + train_set = ETHECDBMergedSmall(path_to_json='../database/ETHEC/train.json', + path_to_images='/media/ankit/DataPartition/IMAGO_build/', + labelmap=labelmap, transform=train_data_transforms) + val_set = ETHECDBMergedSmall(path_to_json='../database/ETHEC/val.json', + path_to_images='/media/ankit/DataPartition/IMAGO_build/', + labelmap=labelmap, transform=val_test_data_transforms) + test_set = ETHECDBMergedSmall(path_to_json='../database/ETHEC/test.json', + path_to_images='/media/ankit/DataPartition/IMAGO_build/', + labelmap=labelmap, transform=val_test_data_transforms) + print('Dataset has following splits: train: {}, val: {}, test: {}'.format(len(train_set), len(val_set), + len(test_set))) + print(train_set[0]) else: - tform = transforms.Compose([Rescale((224, 224)), - ToTensor(), - Normalize(mean=(143.2341, 162.8151, 177.2185), std=(66.7762, 59.2524, 51.5077))]) - train_set = ETHECDB(path_to_json='../database/ETHEC/train.json', - path_to_images='/media/ankit/DataPartition/IMAGO_build/', - labelmap=labelmap, transform=tform) - val_set = ETHECDB(path_to_json='../database/ETHEC/val.json', - path_to_images='/media/ankit/DataPartition/IMAGO_build/', - labelmap=labelmap, transform=tform) - test_set = ETHECDB(path_to_json='../database/ETHEC/test.json', - path_to_images='/media/ankit/DataPartition/IMAGO_build/', - labelmap=labelmap, transform=tform) + labelmap = ETHECLabelMapMerged() + initial_crop = 324 + input_size = 224 + train_data_transforms = transforms.Compose([transforms.ToPILImage(), + transforms.Resize((initial_crop, initial_crop)), + transforms.RandomCrop((input_size, input_size)), + transforms.RandomHorizontalFlip(), + # ColorJitter(brightness=0.2, contrast=0.2), + transforms.ToTensor(), + transforms.Normalize(mean=(143.2341, 162.8151, 177.2185), + std=(66.7762, 59.2524, 51.5077))]) + val_test_data_transforms = transforms.Compose([transforms.ToPILImage(), + transforms.Resize((input_size, input_size)), + transforms.ToTensor(), + transforms.Normalize(mean=(143.2341, 162.8151, 177.2185), + std=(66.7762, 59.2524, 51.5077))]) + train_set = ETHECDBMerged(path_to_json='../database/ETHEC/train.json', + path_to_images='/media/ankit/DataPartition/IMAGO_build/', + labelmap=labelmap, transform=train_data_transforms) + val_set = ETHECDBMerged(path_to_json='../database/ETHEC/val.json', + path_to_images='/media/ankit/DataPartition/IMAGO_build/', + labelmap=labelmap, transform=val_test_data_transforms) + test_set = ETHECDBMerged(path_to_json='../database/ETHEC/test.json', + path_to_images='/media/ankit/DataPartition/IMAGO_build/', + labelmap=labelmap, transform=val_test_data_transforms) print('Dataset has following splits: train: {}, val: {}, test: {}'.format(len(train_set), len(val_set), len(test_set))) - print(train_set[0]['image']) - + print(train_set[0]) diff --git a/data/graph_stats.py b/data/graph_stats.py index 2c6b5de..d0087f9 100644 --- a/data/graph_stats.py +++ b/data/graph_stats.py @@ -7,7 +7,7 @@ class graph_stats: - def __init__(self, data): + def __init__(self, data, merged): """ Create a graph from a given .json and compute statistics on that. :param data: Loaded database as a dictionary of samples. @@ -18,21 +18,30 @@ def __init__(self, data): self.missing_subfamily = [] self.missing_genus = [] self.missing_specific_epithet = [] + self.missing_genus_specific_epithet = [] + + label_levels = ['family', 'subfamily', 'genus', 'specific_epithet'] + if merged: + label_levels = ['family', 'subfamily', 'genus_specific_epithet'] for sample_id in data: sample = data[sample_id] if "" not in [sample['family'], sample['subfamily'], sample['genus'], sample['specific_epithet']]: self.G.add_edge(sample['family'], sample['subfamily']) - self.G.add_edge(sample['subfamily'], sample['genus']) - self.G.add_edge(sample['genus'], sample['specific_epithet']) - - for label_level in ['family', 'subfamily', 'genus', 'specific_epithet']: + if not merged: + self.G.add_edge(sample['subfamily'], sample['genus']) + self.G.add_edge(sample['genus'], sample['specific_epithet']) + else: + self.G.add_edge(sample['subfamily'], '{}_{}'.format(sample['genus'], sample['specific_epithet'])) + data[sample_id]['genus_specific_epithet'] = '{}_{}'.format(sample['genus'], sample['specific_epithet']) + + for label_level in label_levels: if 'count' not in self.G.nodes[sample[label_level]]: self.G.nodes[sample[label_level]]['count'] = 0 self.G.nodes[sample[label_level]]['level'] = label_level self.G.nodes[sample[label_level]]['count'] += 1 - for label_level in ['family', 'subfamily', 'genus', 'specific_epithet']: + for label_level in label_levels: if sample[label_level] == "": getattr(self, 'missing_{}'.format(label_level)).append(sample_id) @@ -41,10 +50,38 @@ def __init__(self, data): self.genus_nodes = [node_data for node_data in self.G.nodes.data() if node_data[1]['level'] == 'genus'] self.specific_epithet_nodes = [node_data for node_data in self.G.nodes.data() if node_data[1]['level'] == 'specific_epithet'] - - nx.draw(self.G) + self.genus_specific_epithet_nodes = [node_data for node_data in self.G.nodes.data() + if node_data[1]['level'] == 'genus_specific_epithet'] + + family_names = [node[0] for node in self.family_nodes] + subfamily_names = [node[0] for node in self.subfamily_nodes] + genus_names = [node[0] for node in self.genus_nodes] + species_names = [node[0] for node in self.specific_epithet_nodes] + genus_species_names = [node[0] for node in self.genus_specific_epithet_nodes] + + colors = [] + for node in self.G.nodes(): + if node in family_names: + colors.append('b') + elif node in subfamily_names: + colors.append('r') + elif node in genus_names: + colors.append('y') + else: + colors.append('m') + + nx.draw_networkx(self.G, arrows=True, node_size=100, node_color=colors) plt.show() + # for i, node in enumerate(self.G.nodes()): + # print(self.G.node[node]) + nodes = [{'name': str(node), 'count': self.G.node[node]['count'], 'level': self.G.node[node]['level'], + 'color': colors[i]} for i, node in enumerate(self.G.nodes())] + links = [{'source': u[0], 'target': u[1]} + for u in self.G.edges()] + with open('visualize_graph/graph_for_d3_{}.json'.format('merged' if merged else ''), 'w') as f: + json.dump({'nodes': nodes, 'links': links}, f, indent=4) + self.in_degree = self.G.in_degree self.out_degree = self.G.out_degree @@ -110,9 +147,10 @@ def print_stats(self): if __name__ == '__main__': parser = argparse.ArgumentParser() parser.add_argument("--mini", help='Use the mini database for testing/debugging.', action='store_true') + parser.add_argument("--merged", help='Use the merged database for testing/debugging.', action='store_true') args = parser.parse_args() - infile = 'database' + infile = 'sub_database' if args.mini: infile = 'mini_database' @@ -123,4 +161,4 @@ def print_stats(self): print("File does not exist!") exit() - gs = graph_stats(data) + gs = graph_stats(data, args.merged) diff --git a/data/visualize_graph/graph_for_d3.json b/data/visualize_graph/graph_for_d3.json new file mode 100644 index 0000000..c0a0502 --- /dev/null +++ b/data/visualize_graph/graph_for_d3.json @@ -0,0 +1,8722 @@ +{ + "nodes": [ + { + "name": "Hesperiidae", + "count": 2592, + "level": "family", + "color": "b" + }, + { + "name": "Heteropterinae", + "count": 197, + "level": "subfamily", + "color": "r" + }, + { + "name": "Carterocephalus", + "count": 143, + "level": "genus", + "color": "y" + }, + { + "name": "palaemon", + "count": 139, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "silvicola", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Heteropterus", + "count": 54, + "level": "genus", + "color": "y" + }, + { + "name": "morpheus", + "count": 54, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Hesperiinae", + "count": 807, + "level": "subfamily", + "color": "r" + }, + { + "name": "Thymelicus", + "count": 417, + "level": "genus", + "color": "y" + }, + { + "name": "sylvestris", + "count": 163, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lineola", + "count": 191, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hamza", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "acteon", + "count": 62, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Hesperia", + "count": 178, + "level": "genus", + "color": "y" + }, + { + "name": "comma", + "count": 178, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Ochlodes", + "count": 202, + "level": "genus", + "color": "y" + }, + { + "name": "venata", + "count": 204, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Gegenes", + "count": 10, + "level": "genus", + "color": "y" + }, + { + "name": "nostrodamus", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pyrginae", + "count": 1588, + "level": "subfamily", + "color": "r" + }, + { + "name": "Erynnis", + "count": 173, + "level": "genus", + "color": "y" + }, + { + "name": "tages", + "count": 173, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Carcharodus", + "count": 203, + "level": "genus", + "color": "y" + }, + { + "name": "alceae", + "count": 72, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lavatherae", + "count": 48, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "baeticus", + "count": 20, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "floccifera", + "count": 63, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Spialia", + "count": 191, + "level": "genus", + "color": "y" + }, + { + "name": "sertorius", + "count": 185, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "orbifer", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Muschampia", + "count": 7, + "level": "genus", + "color": "y" + }, + { + "name": "cribrellum", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "proto", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tessellum", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus", + "count": 1014, + "level": "genus", + "color": "y" + }, + { + "name": "accretus", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alveus", + "count": 220, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "armoricanus", + "count": 30, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "andromedae", + "count": 42, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cacaliae", + "count": 85, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "carlinae", + "count": 77, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "carthami", + "count": 110, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "malvae", + "count": 149, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cinarae", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cirsii", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "centaureae", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "bellieri", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "malvoides", + "count": 117, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "onopordi", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "serratulae", + "count": 146, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "sidae", + "count": 12, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "warrenensis", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Papilionidae", + "count": 5504, + "level": "family", + "color": "b" + }, + { + "name": "Parnassiinae", + "count": 4716, + "level": "subfamily", + "color": "r" + }, + { + "name": "Parnassius", + "count": 4223, + "level": "genus", + "color": "y" + }, + { + "name": "sacerdos", + "count": 417, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Archon", + "count": 45, + "level": "genus", + "color": "y" + }, + { + "name": "apollinus", + "count": 44, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "apollinaris", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "apollo", + "count": 1980, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "geminus", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "mnemosyne", + "count": 487, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "glacialis", + "count": 208, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Sericinus", + "count": 63, + "level": "genus", + "color": "y" + }, + { + "name": "montela", + "count": 63, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Zerynthia", + "count": 274, + "level": "genus", + "color": "y" + }, + { + "name": "rumina", + "count": 74, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "polyxena", + "count": 200, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Allancastria", + "count": 59, + "level": "genus", + "color": "y" + }, + { + "name": "cerisyi", + "count": 42, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "deyrollei", + "count": 9, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "caucasica", + "count": 20, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cretica", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Bhutanitis", + "count": 27, + "level": "genus", + "color": "y" + }, + { + "name": "thaidina", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lidderdalii", + "count": 13, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "mansfieldi", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Luehdorfia", + "count": 25, + "level": "genus", + "color": "y" + }, + { + "name": "japonica", + "count": 18, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "puziloi", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "chinensis", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Papilioninae", + "count": 788, + "level": "subfamily", + "color": "r" + }, + { + "name": "Papilio", + "count": 446, + "level": "genus", + "color": "y" + }, + { + "name": "machaon", + "count": 288, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "stubbendorfii", + "count": 40, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "apollonius", + "count": 47, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alexanor", + "count": 31, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hospiton", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "xuthus", + "count": 15, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Iphiclides", + "count": 251, + "level": "genus", + "color": "y" + }, + { + "name": "podalirius", + "count": 225, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "feisthamelii", + "count": 24, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pieridae", + "count": 6842, + "level": "family", + "color": "b" + }, + { + "name": "Dismorphiinae", + "count": 781, + "level": "subfamily", + "color": "r" + }, + { + "name": "Leptidea", + "count": 781, + "level": "genus", + "color": "y" + }, + { + "name": "sinapis", + "count": 508, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Coliadinae", + "count": 2538, + "level": "subfamily", + "color": "r" + }, + { + "name": "Colias", + "count": 2220, + "level": "genus", + "color": "y" + }, + { + "name": "palaeno", + "count": 363, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "podalirinus", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pelidne", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "juvernica", + "count": 242, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "morsei", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "amurensis", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "duponcheli", + "count": 19, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "marcopolo", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ladakensis", + "count": 13, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "grumi", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nebulosa", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nastes", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tamerlana", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cocandica", + "count": 15, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "sieversi", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "sifanica", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alpherakii", + "count": 9, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "christophi", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "shahfuladi", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tyche", + "count": 44, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "phicomone", + "count": 395, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "montium", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alfacariensis", + "count": 326, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hyale", + "count": 209, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "erate", + "count": 18, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "erschoffi", + "count": 14, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "romanovi", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "regia", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "stoliczkana", + "count": 22, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hecla", + "count": 17, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "eogene", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "thisoa", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "staudingeri", + "count": 34, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lada", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "baeckeri", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "adelaidae", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "fieldii", + "count": 19, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "heos", + "count": 11, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "diva", + "count": 13, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "chrysotheme", + "count": 31, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "balcanica", + "count": 31, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "myrmidone", + "count": 57, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "croceus", + "count": 439, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "felderi", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "viluiensis", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pierinae", + "count": 3523, + "level": "subfamily", + "color": "r" + }, + { + "name": "Aporia", + "count": 206, + "level": "genus", + "color": "y" + }, + { + "name": "crataegi", + "count": 184, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "aurorina", + "count": 19, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "chlorocoma", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "libanotica", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "wiskotti", + "count": 42, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Catopsilia", + "count": 8, + "level": "genus", + "color": "y" + }, + { + "name": "florella", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Gonepteryx", + "count": 310, + "level": "genus", + "color": "y" + }, + { + "name": "rhamni", + "count": 158, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "maxima", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "sagartia", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cleopatra", + "count": 123, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cleobule", + "count": 16, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "amintha", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "mahaguru", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Sinopieris", + "count": 3, + "level": "genus", + "color": "y" + }, + { + "name": "davidis", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "procris", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hippia", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Mesapia", + "count": 3, + "level": "genus", + "color": "y" + }, + { + "name": "peloria", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "potanini", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nabellica", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Baltia", + "count": 6, + "level": "genus", + "color": "y" + }, + { + "name": "butleri", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "shawii", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pieris", + "count": 2164, + "level": "genus", + "color": "y" + }, + { + "name": "brassicae", + "count": 176, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cheiranthi", + "count": 42, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "rapae", + "count": 542, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Nymphalidae", + "count": 20919, + "level": "family", + "color": "b" + }, + { + "name": "Satyrinae", + "count": 11034, + "level": "subfamily", + "color": "r" + }, + { + "name": "Erebia", + "count": 4994, + "level": "genus", + "color": "y" + }, + { + "name": "gorge", + "count": 231, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "aethiopellus", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "mnestra", + "count": 132, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "epistygne", + "count": 13, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "turanica", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ottomana", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tyndarus", + "count": 403, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "oeme", + "count": 149, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lefebvrei", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "melas", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "zapateri", + "count": 17, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "neoridas", + "count": 18, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "montana", + "count": 199, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cassioides", + "count": 13, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nivalis", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "scipio", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pronoe", + "count": 180, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "styx", + "count": 58, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "meolans", + "count": 155, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "palarica", + "count": 9, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pandrose", + "count": 194, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hispania", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "meta", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "wanga", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "theano", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "erinnyn", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Berberia", + "count": 17, + "level": "genus", + "color": "y" + }, + { + "name": "lambessanus", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "abdelkader", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "disa", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "rossii", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cyclopius", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Paralasa", + "count": 2, + "level": "genus", + "color": "y" + }, + { + "name": "hades", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Proterebia", + "count": 11, + "level": "genus", + "color": "y" + }, + { + "name": "afra", + "count": 12, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Boeberia", + "count": 3, + "level": "genus", + "color": "y" + }, + { + "name": "parmenio", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Loxerebia", + "count": 4, + "level": "genus", + "color": "y" + }, + { + "name": "saxicola", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Proteerbia", + "count": 1, + "level": "genus", + "color": "y" + }, + { + "name": "rondoui", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "mannii", + "count": 129, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ergane", + "count": 27, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "krueperi", + "count": 9, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "melete", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "napi", + "count": 929, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nesis", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Lycaenidae", + "count": 12206, + "level": "family", + "color": "b" + }, + { + "name": "Lycaeninae", + "count": 2199, + "level": "subfamily", + "color": "r" + }, + { + "name": "Lycaena", + "count": 2170, + "level": "genus", + "color": "y" + }, + { + "name": "thersamon", + "count": 39, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lampon", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "solskyi", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "splendens", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "candens", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ochimus", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hippothoe", + "count": 418, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tityrus", + "count": 484, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "asabinus", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "thetis", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Nymphalinae", + "count": 5691, + "level": "subfamily", + "color": "r" + }, + { + "name": "Melitaea", + "count": 3006, + "level": "genus", + "color": "y" + }, + { + "name": "athalia", + "count": 696, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Heliconiinae", + "count": 3358, + "level": "subfamily", + "color": "r" + }, + { + "name": "Argynnis", + "count": 306, + "level": "genus", + "color": "y" + }, + { + "name": "paphia", + "count": 247, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Heliophorus", + "count": 29, + "level": "genus", + "color": "y" + }, + { + "name": "tamu", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "brahma", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "epicles", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "androcles", + "count": 14, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Cethosia", + "count": 10, + "level": "genus", + "color": "y" + }, + { + "name": "biblis", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Childrena", + "count": 4, + "level": "genus", + "color": "y" + }, + { + "name": "childreni", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Argyronome", + "count": 9, + "level": "genus", + "color": "y" + }, + { + "name": "ruslana", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "parthenoides", + "count": 280, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "bryoniae", + "count": 307, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pontia", + "count": 398, + "level": "genus", + "color": "y" + }, + { + "name": "edusa", + "count": 198, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "daplidice", + "count": 34, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "callidice", + "count": 152, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Anthocharis", + "count": 413, + "level": "genus", + "color": "y" + }, + { + "name": "thibetana", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "bambusarum", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "bieti", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "scolymus", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Zegris", + "count": 22, + "level": "genus", + "color": "y" + }, + { + "name": "pyrothoe", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "eupheme", + "count": 11, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "fausti", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Euchloe", + "count": 274, + "level": "genus", + "color": "y" + }, + { + "name": "simplonia", + "count": 95, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "daphalis", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "chloridice", + "count": 14, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "belemia", + "count": 28, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ausonia", + "count": 31, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tagis", + "count": 16, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "crameri", + "count": 57, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "insularis", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "orientalis", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "transcaspica", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "charlonia", + "count": 20, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "penia", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tomyris", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "falloui", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pulverata", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "gruneri", + "count": 9, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "damone", + "count": 14, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cardamines", + "count": 269, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "belia", + "count": 29, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "euphenoides", + "count": 75, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Colotis", + "count": 34, + "level": "genus", + "color": "y" + }, + { + "name": "fausta", + "count": 14, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "phisadia", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "protractus", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "evagore", + "count": 16, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Riodinidae", + "count": 146, + "level": "family", + "color": "b" + }, + { + "name": "Nemeobiinae", + "count": 146, + "level": "subfamily", + "color": "r" + }, + { + "name": "Hamearis", + "count": 141, + "level": "genus", + "color": "y" + }, + { + "name": "lucina", + "count": 141, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Polycaena", + "count": 5, + "level": "genus", + "color": "y" + }, + { + "name": "phlaeas", + "count": 300, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "helle", + "count": 102, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pang", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "caspius", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "margelanica", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "li", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "dispar", + "count": 78, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alciphron", + "count": 270, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "virgaureae", + "count": 422, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "kasyapa", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Tschamut, Tujetsch", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Theclinae", + "count": 927, + "level": "subfamily", + "color": "r" + }, + { + "name": "Favonius", + "count": 128, + "level": "genus", + "color": "y" + }, + { + "name": "quercus", + "count": 128, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Aphnaeinae", + "count": 14, + "level": "subfamily", + "color": "r" + }, + { + "name": "Cigaritis", + "count": 14, + "level": "genus", + "color": "y" + }, + { + "name": "cilissa", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "siphax", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "zohra", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "allardi", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Tomares", + "count": 29, + "level": "genus", + "color": "y" + }, + { + "name": "ballus", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nogelii", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "mauretanicus", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "callimachus", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Chrysozephyrus", + "count": 4, + "level": "genus", + "color": "y" + }, + { + "name": "smaragdinus", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Ussuriana", + "count": 3, + "level": "genus", + "color": "y" + }, + { + "name": "micahaelis", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Coreana", + "count": 5, + "level": "genus", + "color": "y" + }, + { + "name": "raphaelis", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Japonica", + "count": 5, + "level": "genus", + "color": "y" + }, + { + "name": "saepestriata", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Thecla", + "count": 144, + "level": "genus", + "color": "y" + }, + { + "name": "betulae", + "count": 144, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Polyommatinae", + "count": 9066, + "level": "subfamily", + "color": "r" + }, + { + "name": "Celastrina", + "count": 186, + "level": "genus", + "color": "y" + }, + { + "name": "argiolus", + "count": 186, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Artopoetes", + "count": 1, + "level": "genus", + "color": "y" + }, + { + "name": "pryeri", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Laeosopis", + "count": 13, + "level": "genus", + "color": "y" + }, + { + "name": "roboris", + "count": 13, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Callophrys", + "count": 166, + "level": "genus", + "color": "y" + }, + { + "name": "rubi", + "count": 162, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Zizeeria", + "count": 29, + "level": "genus", + "color": "y" + }, + { + "name": "knysna", + "count": 27, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pseudozizeeria", + "count": 2, + "level": "genus", + "color": "y" + }, + { + "name": "maha", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Tarucus", + "count": 16, + "level": "genus", + "color": "y" + }, + { + "name": "theophrastus", + "count": 12, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Cyclyrius", + "count": 10, + "level": "genus", + "color": "y" + }, + { + "name": "webbianus", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "balkanica", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Leptotes", + "count": 101, + "level": "genus", + "color": "y" + }, + { + "name": "pirithous", + "count": 100, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Satyrium", + "count": 421, + "level": "genus", + "color": "y" + }, + { + "name": "spini", + "count": 124, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Lampides", + "count": 94, + "level": "genus", + "color": "y" + }, + { + "name": "boeticus", + "count": 94, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "w-album", + "count": 62, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ilicis", + "count": 107, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pruni", + "count": 58, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "acaciae", + "count": 62, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "esculi", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Azanus", + "count": 2, + "level": "genus", + "color": "y" + }, + { + "name": "jesous", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ledereri", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Neolycaena", + "count": 8, + "level": "genus", + "color": "y" + }, + { + "name": "rhymnus", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "karsandra", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "avis", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pirthous", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "davidi", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Cupido", + "count": 537, + "level": "genus", + "color": "y" + }, + { + "name": "minimus", + "count": 309, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Maculinea", + "count": 737, + "level": "genus", + "color": "y" + }, + { + "name": "rebeli", + "count": 62, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "arion", + "count": 313, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alcetas", + "count": 41, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lorquinii", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "osiris", + "count": 73, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "argiades", + "count": 107, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "decolorata", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Glaucopsyche", + "count": 192, + "level": "genus", + "color": "y" + }, + { + "name": "melanops", + "count": 15, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alexis", + "count": 171, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alcon", + "count": 80, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "teleius", + "count": 162, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pseudophilotes", + "count": 147, + "level": "genus", + "color": "y" + }, + { + "name": "abencerragus", + "count": 18, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "bavius", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "panoptes", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "vicrama", + "count": 15, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "baton", + "count": 107, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nausithous", + "count": 120, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Scolitantides", + "count": 178, + "level": "genus", + "color": "y" + }, + { + "name": "orion", + "count": 178, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Iolana", + "count": 79, + "level": "genus", + "color": "y" + }, + { + "name": "gigantea", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "iolas", + "count": 71, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Plebejus", + "count": 1348, + "level": "genus", + "color": "y" + }, + { + "name": "argus", + "count": 454, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "eversmanni", + "count": 11, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "paphos", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Caerulea", + "count": 2, + "level": "genus", + "color": "y" + }, + { + "name": "coeli", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "astraea", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Afarsia", + "count": 2, + "level": "genus", + "color": "y" + }, + { + "name": "morgiana", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "argyrognomon", + "count": 124, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Agriades", + "count": 603, + "level": "genus", + "color": "y" + }, + { + "name": "optilete", + "count": 154, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Alpherakya", + "count": 1, + "level": "genus", + "color": "y" + }, + { + "name": "devanica", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Plebejidea", + "count": 8, + "level": "genus", + "color": "y" + }, + { + "name": "loewii", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "idas", + "count": 760, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Kretania", + "count": 115, + "level": "genus", + "color": "y" + }, + { + "name": "trappi", + "count": 100, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pylaon", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "psylorita", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "martini", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "allardii", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Maurus", + "count": 1, + "level": "genus", + "color": "y" + }, + { + "name": "vogelii", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "samudra", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "orbitulus", + "count": 204, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Aricia", + "count": 535, + "level": "genus", + "color": "y" + }, + { + "name": "artaxerxes", + "count": 260, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pamiria", + "count": 11, + "level": "genus", + "color": "y" + }, + { + "name": "omphisa", + "count": 9, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "galathea", + "count": 420, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "glandon", + "count": 235, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "agestis", + "count": 149, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "maracandica", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus", + "count": 2252, + "level": "genus", + "color": "y" + }, + { + "name": "damon", + "count": 261, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "montensis", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Eumedonia", + "count": 162, + "level": "genus", + "color": "y" + }, + { + "name": "eumedon", + "count": 162, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nicias", + "count": 120, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Cyaniris", + "count": 532, + "level": "genus", + "color": "y" + }, + { + "name": "semiargus", + "count": 532, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "dolus", + "count": 25, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "isaurica", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "anteros", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "menalcas", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "antidolus", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "phyllis", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "iphidamon", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "damonides", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "poseidon", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ripartii", + "count": 9, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "admetus", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "humedasae", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "dorylas", + "count": 217, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "thersites", + "count": 127, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "escheri", + "count": 177, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Lysandra", + "count": 1160, + "level": "genus", + "color": "y" + }, + { + "name": "bellargus", + "count": 510, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "coridon", + "count": 584, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hispana", + "count": 20, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "albicans", + "count": 26, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "caelestissima", + "count": 14, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "punctifera", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nivescens", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "aedon", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "myrrha", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "atys", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "icarus", + "count": 780, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "caeruleus", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Glabroculus", + "count": 10, + "level": "genus", + "color": "y" + }, + { + "name": "elvira", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cyane", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "elbursica", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "firdussii", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "golgus", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Neolysandra", + "count": 14, + "level": "genus", + "color": "y" + }, + { + "name": "ellisoni", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "coelestina", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "corona", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "amandus", + "count": 163, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "venus", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "daphnis", + "count": 153, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "eros", + "count": 198, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "celina", + "count": 65, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Libytheinae", + "count": 29, + "level": "subfamily", + "color": "r" + }, + { + "name": "Libythea", + "count": 29, + "level": "genus", + "color": "y" + }, + { + "name": "celtis", + "count": 29, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Danainae", + "count": 15, + "level": "subfamily", + "color": "r" + }, + { + "name": "Danaus", + "count": 15, + "level": "genus", + "color": "y" + }, + { + "name": "plexippus", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "chrysippus", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Charaxinae", + "count": 14, + "level": "subfamily", + "color": "r" + }, + { + "name": "Charaxes", + "count": 14, + "level": "genus", + "color": "y" + }, + { + "name": "jasius", + "count": 14, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Apaturinae", + "count": 307, + "level": "subfamily", + "color": "r" + }, + { + "name": "Mimathyma", + "count": 8, + "level": "genus", + "color": "y" + }, + { + "name": "nycteis", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Apatura", + "count": 284, + "level": "genus", + "color": "y" + }, + { + "name": "iris", + "count": 120, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ilia", + "count": 161, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Limenitidinae", + "count": 471, + "level": "subfamily", + "color": "r" + }, + { + "name": "Limenitis", + "count": 359, + "level": "genus", + "color": "y" + }, + { + "name": "reducta", + "count": 123, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "metis", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Euapatura", + "count": 8, + "level": "genus", + "color": "y" + }, + { + "name": "mirza", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Hestina", + "count": 3, + "level": "genus", + "color": "y" + }, + { + "name": "Timelaea", + "count": 3, + "level": "genus", + "color": "y" + }, + { + "name": "albescens", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "populi", + "count": 69, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "camilla", + "count": 163, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "schrenckii", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Thaleropis", + "count": 1, + "level": "genus", + "color": "y" + }, + { + "name": "ionia", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Parasarpa", + "count": 2, + "level": "genus", + "color": "y" + }, + { + "name": "albomaculata", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "sydyi", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Lelecella", + "count": 6, + "level": "genus", + "color": "y" + }, + { + "name": "limenitoides", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Neptis", + "count": 101, + "level": "genus", + "color": "y" + }, + { + "name": "sappho", + "count": 16, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alwina", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "rivularis", + "count": 82, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis", + "count": 877, + "level": "genus", + "color": "y" + }, + { + "name": "antiopa", + "count": 137, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "polychloros", + "count": 139, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "xanthomelas", + "count": 15, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "l-album", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "urticae", + "count": 301, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Athyma", + "count": 3, + "level": "genus", + "color": "y" + }, + { + "name": "punctata", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "perius", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ichnusa", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "egea", + "count": 57, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "c-album", + "count": 199, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Inachis", + "count": 177, + "level": "genus", + "color": "y" + }, + { + "name": "io", + "count": 177, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Araschnia", + "count": 366, + "level": "genus", + "color": "y" + }, + { + "name": "burejana", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "levana", + "count": 360, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "canace", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "c-aureum", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "rizana", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Junonia", + "count": 1, + "level": "genus", + "color": "y" + }, + { + "name": "hierta", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Vanessa", + "count": 380, + "level": "genus", + "color": "y" + }, + { + "name": "atalanta", + "count": 151, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "vulcania", + "count": 51, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "virginiensis", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "indica", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cardui", + "count": 176, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pandora", + "count": 59, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Speyeria", + "count": 251, + "level": "genus", + "color": "y" + }, + { + "name": "aglaja", + "count": 243, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Fabriciana", + "count": 447, + "level": "genus", + "color": "y" + }, + { + "name": "niobe", + "count": 237, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "clara", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "laodice", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "adippe", + "count": 198, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "jainadeva", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "auresiana", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nerippe", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "elisa", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Issoria", + "count": 179, + "level": "genus", + "color": "y" + }, + { + "name": "lathonia", + "count": 179, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Brenthis", + "count": 403, + "level": "genus", + "color": "y" + }, + { + "name": "hecate", + "count": 28, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "daphne", + "count": 105, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ino", + "count": 270, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Boloria", + "count": 592, + "level": "genus", + "color": "y" + }, + { + "name": "pales", + "count": 218, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Kuekenthaliella", + "count": 4, + "level": "genus", + "color": "y" + }, + { + "name": "eugenia", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "sipora", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "aquilonaris", + "count": 63, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "napaea", + "count": 306, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Clossiana", + "count": 1104, + "level": "genus", + "color": "y" + }, + { + "name": "selene", + "count": 218, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Proclossiana", + "count": 49, + "level": "genus", + "color": "y" + }, + { + "name": "eunomia", + "count": 49, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "graeca", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "thore", + "count": 97, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "dia", + "count": 204, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "euphrosyne", + "count": 288, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "titania", + "count": 282, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "freija", + "count": 12, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "iphigenia", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "chariclea", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cinxia", + "count": 208, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "aetherie", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "arduinna", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "phoebe", + "count": 244, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "didyma", + "count": 573, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "varia", + "count": 175, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "aurelia", + "count": 164, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "asteria", + "count": 111, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "diamina", + "count": 409, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Meiltaea", + "count": 1, + "level": "genus", + "color": "y" + }, + { + "name": "punica", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "britomartis", + "count": 16, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "fergana", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "acraeina", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "trivia", + "count": 21, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "persea", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ambigua", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "deione", + "count": 74, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "chitralensis", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "saxatilis", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "minerva", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "scotosia", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Euphydryas", + "count": 883, + "level": "genus", + "color": "y" + }, + { + "name": "maturna", + "count": 35, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ichnea", + "count": 77, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cynthia", + "count": 268, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "aurinia", + "count": 490, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "sibirica", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "iduna", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Melanargia", + "count": 637, + "level": "genus", + "color": "y" + }, + { + "name": "titea", + "count": 13, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "parce", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lachesis", + "count": 49, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "provincialis", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "desfontainii", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "russiae", + "count": 27, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "larissa", + "count": 19, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ines", + "count": 20, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pherusa", + "count": 13, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "occitanica", + "count": 40, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "arge", + "count": 18, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "meridionalis", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "leda", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "halimede", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lugens", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hylata", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Davidina", + "count": 6, + "level": "genus", + "color": "y" + }, + { + "name": "armandi", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia", + "count": 607, + "level": "genus", + "color": "y" + }, + { + "name": "semele", + "count": 174, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Chazara", + "count": 188, + "level": "genus", + "color": "y" + }, + { + "name": "briseis", + "count": 160, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "parisatis", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "stulta", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "fidia", + "count": 20, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "genava", + "count": 135, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "aristaeus", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "fagi", + "count": 98, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "wyssii", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "fatua", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "statilinus", + "count": 120, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "syriaca", + "count": 9, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "neomiris", + "count": 13, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "azorina", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "prieuri", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "bischoffii", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "enervata", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "persephone", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "kaufmanni", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara", + "count": 60, + "level": "genus", + "color": "y" + }, + { + "name": "hippolyte", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pelopea", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alpina", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "beroe", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "schahrudensis", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "mniszechii", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "geyeri", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "telephassa", + "count": 16, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "anthelea", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "amalthea", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cingovskii", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "orestes", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Karanasa", + "count": 7, + "level": "genus", + "color": "y" + }, + { + "name": "abramovi", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "modesta", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "huebneri", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Paroeneis", + "count": 4, + "level": "genus", + "color": "y" + }, + { + "name": "palaearcticus", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pumilis", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Oeneis", + "count": 144, + "level": "genus", + "color": "y" + }, + { + "name": "magna", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tarpeia", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "norna", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Satyrus", + "count": 214, + "level": "genus", + "color": "y" + }, + { + "name": "actaea", + "count": 12, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "parthicus", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ferula", + "count": 199, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Minois", + "count": 227, + "level": "genus", + "color": "y" + }, + { + "name": "dryas", + "count": 227, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Arethusana", + "count": 43, + "level": "genus", + "color": "y" + }, + { + "name": "arethusa", + "count": 43, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Brintesia", + "count": 88, + "level": "genus", + "color": "y" + }, + { + "name": "circe", + "count": 88, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Maniola", + "count": 418, + "level": "genus", + "color": "y" + }, + { + "name": "jurtina", + "count": 415, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Aphantopus", + "count": 204, + "level": "genus", + "color": "y" + }, + { + "name": "hyperantus", + "count": 204, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Hyponephele", + "count": 157, + "level": "genus", + "color": "y" + }, + { + "name": "pulchra", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pulchella", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "davendra", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cadusia", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "amardaea", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lycaon", + "count": 134, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nurag", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lupina", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "capella", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "interposita", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pyronia", + "count": 311, + "level": "genus", + "color": "y" + }, + { + "name": "tithonus", + "count": 189, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha", + "count": 1546, + "level": "genus", + "color": "y" + }, + { + "name": "gardetta", + "count": 341, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tullia", + "count": 133, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "bathseba", + "count": 59, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cecilia", + "count": 59, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "corinna", + "count": 16, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "sunbecca", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pamphilus", + "count": 389, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "janiroides", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "dorus", + "count": 24, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "elbana", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "darwiniana", + "count": 144, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "arcania", + "count": 242, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Pararge", + "count": 333, + "level": "genus", + "color": "y" + }, + { + "name": "aegeria", + "count": 280, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "leander", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Ypthima", + "count": 10, + "level": "genus", + "color": "y" + }, + { + "name": "baldus", + "count": 9, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "iphioides", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "glycerion", + "count": 146, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hero", + "count": 47, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "oedippus", + "count": 46, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "mongolica", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "asterope", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "xiphioides", + "count": 52, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "xiphia", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Lasiommata", + "count": 630, + "level": "genus", + "color": "y" + }, + { + "name": "megera", + "count": 215, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "petropolitana", + "count": 101, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "maera", + "count": 305, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "paramegaera", + "count": 9, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Lopinga", + "count": 137, + "level": "genus", + "color": "y" + }, + { + "name": "achine", + "count": 137, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "euryale", + "count": 449, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Kirinia", + "count": 20, + "level": "genus", + "color": "y" + }, + { + "name": "roxelana", + "count": 11, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "climene", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Neope", + "count": 7, + "level": "genus", + "color": "y" + }, + { + "name": "goschkevitschii", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Lethe", + "count": 2, + "level": "genus", + "color": "y" + }, + { + "name": "diana", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Mycalesis", + "count": 2, + "level": "genus", + "color": "y" + }, + { + "name": "francisca", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ligea", + "count": 207, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "sicelis", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "gotama", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "eriphyle", + "count": 47, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "manto", + "count": 305, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "epiphron", + "count": 275, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "flavofasciata", + "count": 114, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "bubastis", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "claudina", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "christi", + "count": 87, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pharte", + "count": 163, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "aethiops", + "count": 359, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "melampus", + "count": 358, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "sudetica", + "count": 12, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "neriene", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "triaria", + "count": 119, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "medusa", + "count": 257, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alberganus", + "count": 264, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pluto", + "count": 139, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "farinosa", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nevadensis", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "pheretiades", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "eurypilus", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "eversmannii", + "count": 78, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ariadne", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "stenosemus", + "count": 20, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hardwickii", + "count": 35, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "charltonius", + "count": 45, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "imperator", + "count": 29, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "acdestis", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cardinal", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "szechenyii", + "count": 28, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "delphius", + "count": 78, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "maximinus", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "orleans", + "count": 20, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "augustus", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "loxias", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "charltontonius", + "count": 17, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "inopinatus", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "autocrator", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cardinalgebi", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "patricius", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "stoliczkanus", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nordmanni", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "simo", + "count": 16, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "bremeri", + "count": 54, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "actius", + "count": 44, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "andreji", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cephalus", + "count": 14, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "maharaja", + "count": 11, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tenedius", + "count": 19, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "acco", + "count": 12, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "boedromius", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "simonius", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tianschanicus", + "count": 76, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "phoebus", + "count": 54, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "honrathi", + "count": 10, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "ruckbeili", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "epaphus", + "count": 115, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nomion", + "count": 118, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "jacquemonti", + "count": 34, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "mercurius", + "count": 7, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tibetanus", + "count": 14, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "clodius", + "count": 39, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "smintheus", + "count": 81, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "behrii", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Arisbe", + "count": 30, + "level": "genus", + "color": "y" + }, + { + "name": "mullah", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Atrophaneura", + "count": 34, + "level": "genus", + "color": "y" + }, + { + "name": "mencius", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "plutonius", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "dehaani", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "polytes", + "count": 25, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "horishana", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "bootes", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Agehana", + "count": 5, + "level": "genus", + "color": "y" + }, + { + "name": "elwesi", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "maackii", + "count": 24, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "impediens", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "polyeuctes", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "mandarinus", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "parus", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alcinous", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "alebion", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "helenus", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Teinopalpus", + "count": 6, + "level": "genus", + "color": "y" + }, + { + "name": "imperialis", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "memnon", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "eurous", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Graphium", + "count": 12, + "level": "genus", + "color": "y" + }, + { + "name": "sarpedon", + "count": 8, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "doson", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "tamerlanus", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "bianor", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "paris", + "count": 6, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "hopponis", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "nevilli", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "krishna", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "macilentus", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "leechi", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "protenor", + "count": 11, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "cloanthus", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "thaiwanus", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "chaon", + "count": 1, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "castor", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "Meandrusa", + "count": 4, + "level": "genus", + "color": "y" + }, + { + "name": "sciron", + "count": 4, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "arcturus", + "count": 3, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "aureus", + "count": 2, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "lehanus", + "count": 5, + "level": "specific_epithet", + "color": "m" + }, + { + "name": "dieckmanni", + "count": 2, + "level": "specific_epithet", + "color": "m" + } + ], + "links": [ + { + "source": "Hesperiidae", + "target": "Heteropterinae" + }, + { + "source": "Hesperiidae", + "target": "Hesperiinae" + }, + { + "source": "Hesperiidae", + "target": "Pyrginae" + }, + { + "source": "Heteropterinae", + "target": "Carterocephalus" + }, + { + "source": "Heteropterinae", + "target": "Heteropterus" + }, + { + "source": "Carterocephalus", + "target": "palaemon" + }, + { + "source": "Carterocephalus", + "target": "silvicola" + }, + { + "source": "Carterocephalus", + "target": "dieckmanni" + }, + { + "source": "Heteropterus", + "target": "morpheus" + }, + { + "source": "Hesperiinae", + "target": "Thymelicus" + }, + { + "source": "Hesperiinae", + "target": "Hesperia" + }, + { + "source": "Hesperiinae", + "target": "Ochlodes" + }, + { + "source": "Hesperiinae", + "target": "Gegenes" + }, + { + "source": "Thymelicus", + "target": "sylvestris" + }, + { + "source": "Thymelicus", + "target": "lineola" + }, + { + "source": "Thymelicus", + "target": "hamza" + }, + { + "source": "Thymelicus", + "target": "acteon" + }, + { + "source": "Hesperia", + "target": "comma" + }, + { + "source": "Ochlodes", + "target": "venata" + }, + { + "source": "Gegenes", + "target": "nostrodamus" + }, + { + "source": "Pyrginae", + "target": "Erynnis" + }, + { + "source": "Pyrginae", + "target": "Carcharodus" + }, + { + "source": "Pyrginae", + "target": "Spialia" + }, + { + "source": "Pyrginae", + "target": "Muschampia" + }, + { + "source": "Pyrginae", + "target": "Pyrgus" + }, + { + "source": "Erynnis", + "target": "tages" + }, + { + "source": "Carcharodus", + "target": "alceae" + }, + { + "source": "Carcharodus", + "target": "lavatherae" + }, + { + "source": "Carcharodus", + "target": "baeticus" + }, + { + "source": "Carcharodus", + "target": "floccifera" + }, + { + "source": "Spialia", + "target": "sertorius" + }, + { + "source": "Spialia", + "target": "orbifer" + }, + { + "source": "Muschampia", + "target": "cribrellum" + }, + { + "source": "Muschampia", + "target": "proto" + }, + { + "source": "Muschampia", + "target": "tessellum" + }, + { + "source": "Pyrgus", + "target": "accretus" + }, + { + "source": "Pyrgus", + "target": "alveus" + }, + { + "source": "Pyrgus", + "target": "armoricanus" + }, + { + "source": "Pyrgus", + "target": "andromedae" + }, + { + "source": "Pyrgus", + "target": "cacaliae" + }, + { + "source": "Pyrgus", + "target": "carlinae" + }, + { + "source": "Pyrgus", + "target": "carthami" + }, + { + "source": "Pyrgus", + "target": "malvae" + }, + { + "source": "Pyrgus", + "target": "cinarae" + }, + { + "source": "Pyrgus", + "target": "cirsii" + }, + { + "source": "Pyrgus", + "target": "centaureae" + }, + { + "source": "Pyrgus", + "target": "bellieri" + }, + { + "source": "Pyrgus", + "target": "malvoides" + }, + { + "source": "Pyrgus", + "target": "onopordi" + }, + { + "source": "Pyrgus", + "target": "serratulae" + }, + { + "source": "Pyrgus", + "target": "sidae" + }, + { + "source": "Pyrgus", + "target": "warrenensis" + }, + { + "source": "Papilionidae", + "target": "Parnassiinae" + }, + { + "source": "Papilionidae", + "target": "Papilioninae" + }, + { + "source": "Parnassiinae", + "target": "Parnassius" + }, + { + "source": "Parnassiinae", + "target": "Archon" + }, + { + "source": "Parnassiinae", + "target": "Sericinus" + }, + { + "source": "Parnassiinae", + "target": "Zerynthia" + }, + { + "source": "Parnassiinae", + "target": "Allancastria" + }, + { + "source": "Parnassiinae", + "target": "Bhutanitis" + }, + { + "source": "Parnassiinae", + "target": "Luehdorfia" + }, + { + "source": "Parnassius", + "target": "sacerdos" + }, + { + "source": "Parnassius", + "target": "apollo" + }, + { + "source": "Parnassius", + "target": "geminus" + }, + { + "source": "Parnassius", + "target": "mnemosyne" + }, + { + "source": "Parnassius", + "target": "glacialis" + }, + { + "source": "Parnassius", + "target": "stubbendorfii" + }, + { + "source": "Parnassius", + "target": "apollonius" + }, + { + "source": "Parnassius", + "target": "eversmannii" + }, + { + "source": "Parnassius", + "target": "ariadne" + }, + { + "source": "Parnassius", + "target": "stenosemus" + }, + { + "source": "Parnassius", + "target": "hardwickii" + }, + { + "source": "Parnassius", + "target": "charltonius" + }, + { + "source": "Parnassius", + "target": "imperator" + }, + { + "source": "Parnassius", + "target": "acdestis" + }, + { + "source": "Parnassius", + "target": "cardinal" + }, + { + "source": "Parnassius", + "target": "szechenyii" + }, + { + "source": "Parnassius", + "target": "delphius" + }, + { + "source": "Parnassius", + "target": "maximinus" + }, + { + "source": "Parnassius", + "target": "staudingeri" + }, + { + "source": "Parnassius", + "target": "orleans" + }, + { + "source": "Parnassius", + "target": "augustus" + }, + { + "source": "Parnassius", + "target": "loxias" + }, + { + "source": "Parnassius", + "target": "charltontonius" + }, + { + "source": "Parnassius", + "target": "inopinatus" + }, + { + "source": "Parnassius", + "target": "autocrator" + }, + { + "source": "Parnassius", + "target": "cardinalgebi" + }, + { + "source": "Parnassius", + "target": "patricius" + }, + { + "source": "Parnassius", + "target": "stoliczkanus" + }, + { + "source": "Parnassius", + "target": "nordmanni" + }, + { + "source": "Parnassius", + "target": "simo" + }, + { + "source": "Parnassius", + "target": "bremeri" + }, + { + "source": "Parnassius", + "target": "actius" + }, + { + "source": "Parnassius", + "target": "andreji" + }, + { + "source": "Parnassius", + "target": "cephalus" + }, + { + "source": "Parnassius", + "target": "maharaja" + }, + { + "source": "Parnassius", + "target": "tenedius" + }, + { + "source": "Parnassius", + "target": "acco" + }, + { + "source": "Parnassius", + "target": "boedromius" + }, + { + "source": "Parnassius", + "target": "simonius" + }, + { + "source": "Parnassius", + "target": "tianschanicus" + }, + { + "source": "Parnassius", + "target": "phoebus" + }, + { + "source": "Parnassius", + "target": "honrathi" + }, + { + "source": "Parnassius", + "target": "ruckbeili" + }, + { + "source": "Parnassius", + "target": "epaphus" + }, + { + "source": "Parnassius", + "target": "nomion" + }, + { + "source": "Parnassius", + "target": "jacquemonti" + }, + { + "source": "Parnassius", + "target": "mercurius" + }, + { + "source": "Parnassius", + "target": "tibetanus" + }, + { + "source": "Parnassius", + "target": "clodius" + }, + { + "source": "Parnassius", + "target": "smintheus" + }, + { + "source": "Parnassius", + "target": "behrii" + }, + { + "source": "Archon", + "target": "apollinus" + }, + { + "source": "Archon", + "target": "apollinaris" + }, + { + "source": "Sericinus", + "target": "montela" + }, + { + "source": "Zerynthia", + "target": "rumina" + }, + { + "source": "Zerynthia", + "target": "polyxena" + }, + { + "source": "Allancastria", + "target": "cerisyi" + }, + { + "source": "Allancastria", + "target": "deyrollei" + }, + { + "source": "Allancastria", + "target": "caucasica" + }, + { + "source": "Allancastria", + "target": "cretica" + }, + { + "source": "Bhutanitis", + "target": "thaidina" + }, + { + "source": "Bhutanitis", + "target": "lidderdalii" + }, + { + "source": "Bhutanitis", + "target": "mansfieldi" + }, + { + "source": "Luehdorfia", + "target": "japonica" + }, + { + "source": "Luehdorfia", + "target": "puziloi" + }, + { + "source": "Luehdorfia", + "target": "chinensis" + }, + { + "source": "Papilioninae", + "target": "Papilio" + }, + { + "source": "Papilioninae", + "target": "Iphiclides" + }, + { + "source": "Papilioninae", + "target": "Arisbe" + }, + { + "source": "Papilioninae", + "target": "Atrophaneura" + }, + { + "source": "Papilioninae", + "target": "Agehana" + }, + { + "source": "Papilioninae", + "target": "Teinopalpus" + }, + { + "source": "Papilioninae", + "target": "Graphium" + }, + { + "source": "Papilioninae", + "target": "Meandrusa" + }, + { + "source": "Papilio", + "target": "machaon" + }, + { + "source": "Papilio", + "target": "alexanor" + }, + { + "source": "Papilio", + "target": "hospiton" + }, + { + "source": "Papilio", + "target": "xuthus" + }, + { + "source": "Papilio", + "target": "dehaani" + }, + { + "source": "Papilio", + "target": "polytes" + }, + { + "source": "Papilio", + "target": "bootes" + }, + { + "source": "Papilio", + "target": "maackii" + }, + { + "source": "Papilio", + "target": "helenus" + }, + { + "source": "Papilio", + "target": "memnon" + }, + { + "source": "Papilio", + "target": "bianor" + }, + { + "source": "Papilio", + "target": "paris" + }, + { + "source": "Papilio", + "target": "hopponis" + }, + { + "source": "Papilio", + "target": "krishna" + }, + { + "source": "Papilio", + "target": "macilentus" + }, + { + "source": "Papilio", + "target": "protenor" + }, + { + "source": "Papilio", + "target": "thaiwanus" + }, + { + "source": "Papilio", + "target": "chaon" + }, + { + "source": "Papilio", + "target": "castor" + }, + { + "source": "Papilio", + "target": "arcturus" + }, + { + "source": "Iphiclides", + "target": "podalirius" + }, + { + "source": "Iphiclides", + "target": "feisthamelii" + }, + { + "source": "Iphiclides", + "target": "podalirinus" + }, + { + "source": "Pieridae", + "target": "Dismorphiinae" + }, + { + "source": "Pieridae", + "target": "Coliadinae" + }, + { + "source": "Pieridae", + "target": "Pierinae" + }, + { + "source": "Dismorphiinae", + "target": "Leptidea" + }, + { + "source": "Leptidea", + "target": "sinapis" + }, + { + "source": "Leptidea", + "target": "juvernica" + }, + { + "source": "Leptidea", + "target": "morsei" + }, + { + "source": "Leptidea", + "target": "amurensis" + }, + { + "source": "Leptidea", + "target": "duponcheli" + }, + { + "source": "Coliadinae", + "target": "Colias" + }, + { + "source": "Coliadinae", + "target": "Catopsilia" + }, + { + "source": "Coliadinae", + "target": "Gonepteryx" + }, + { + "source": "Colias", + "target": "palaeno" + }, + { + "source": "Colias", + "target": "pelidne" + }, + { + "source": "Colias", + "target": "marcopolo" + }, + { + "source": "Colias", + "target": "ladakensis" + }, + { + "source": "Colias", + "target": "grumi" + }, + { + "source": "Colias", + "target": "nebulosa" + }, + { + "source": "Colias", + "target": "nastes" + }, + { + "source": "Colias", + "target": "tamerlana" + }, + { + "source": "Colias", + "target": "cocandica" + }, + { + "source": "Colias", + "target": "sieversi" + }, + { + "source": "Colias", + "target": "sifanica" + }, + { + "source": "Colias", + "target": "alpherakii" + }, + { + "source": "Colias", + "target": "christophi" + }, + { + "source": "Colias", + "target": "shahfuladi" + }, + { + "source": "Colias", + "target": "tyche" + }, + { + "source": "Colias", + "target": "phicomone" + }, + { + "source": "Colias", + "target": "montium" + }, + { + "source": "Colias", + "target": "alfacariensis" + }, + { + "source": "Colias", + "target": "hyale" + }, + { + "source": "Colias", + "target": "erate" + }, + { + "source": "Colias", + "target": "erschoffi" + }, + { + "source": "Colias", + "target": "romanovi" + }, + { + "source": "Colias", + "target": "regia" + }, + { + "source": "Colias", + "target": "stoliczkana" + }, + { + "source": "Colias", + "target": "hecla" + }, + { + "source": "Colias", + "target": "eogene" + }, + { + "source": "Colias", + "target": "thisoa" + }, + { + "source": "Colias", + "target": "staudingeri" + }, + { + "source": "Colias", + "target": "lada" + }, + { + "source": "Colias", + "target": "baeckeri" + }, + { + "source": "Colias", + "target": "adelaidae" + }, + { + "source": "Colias", + "target": "fieldii" + }, + { + "source": "Colias", + "target": "heos" + }, + { + "source": "Colias", + "target": "caucasica" + }, + { + "source": "Colias", + "target": "diva" + }, + { + "source": "Colias", + "target": "chrysotheme" + }, + { + "source": "Colias", + "target": "balcanica" + }, + { + "source": "Colias", + "target": "myrmidone" + }, + { + "source": "Colias", + "target": "croceus" + }, + { + "source": "Colias", + "target": "felderi" + }, + { + "source": "Colias", + "target": "viluiensis" + }, + { + "source": "Colias", + "target": "aurorina" + }, + { + "source": "Colias", + "target": "chlorocoma" + }, + { + "source": "Colias", + "target": "libanotica" + }, + { + "source": "Colias", + "target": "wiskotti" + }, + { + "source": "Colias", + "target": "sagartia" + }, + { + "source": "Pierinae", + "target": "Aporia" + }, + { + "source": "Pierinae", + "target": "Sinopieris" + }, + { + "source": "Pierinae", + "target": "Mesapia" + }, + { + "source": "Pierinae", + "target": "Baltia" + }, + { + "source": "Pierinae", + "target": "Pieris" + }, + { + "source": "Pierinae", + "target": "Pontia" + }, + { + "source": "Pierinae", + "target": "Anthocharis" + }, + { + "source": "Pierinae", + "target": "Zegris" + }, + { + "source": "Pierinae", + "target": "Euchloe" + }, + { + "source": "Pierinae", + "target": "Colotis" + }, + { + "source": "Aporia", + "target": "crataegi" + }, + { + "source": "Aporia", + "target": "procris" + }, + { + "source": "Aporia", + "target": "hippia" + }, + { + "source": "Aporia", + "target": "potanini" + }, + { + "source": "Aporia", + "target": "nabellica" + }, + { + "source": "Catopsilia", + "target": "florella" + }, + { + "source": "Gonepteryx", + "target": "rhamni" + }, + { + "source": "Gonepteryx", + "target": "maxima" + }, + { + "source": "Gonepteryx", + "target": "cleopatra" + }, + { + "source": "Gonepteryx", + "target": "cleobule" + }, + { + "source": "Gonepteryx", + "target": "amintha" + }, + { + "source": "Gonepteryx", + "target": "mahaguru" + }, + { + "source": "Gonepteryx", + "target": "farinosa" + }, + { + "source": "Sinopieris", + "target": "davidis" + }, + { + "source": "Sinopieris", + "target": "venata" + }, + { + "source": "Mesapia", + "target": "peloria" + }, + { + "source": "Baltia", + "target": "butleri" + }, + { + "source": "Baltia", + "target": "shawii" + }, + { + "source": "Pieris", + "target": "brassicae" + }, + { + "source": "Pieris", + "target": "cheiranthi" + }, + { + "source": "Pieris", + "target": "rapae" + }, + { + "source": "Pieris", + "target": "mannii" + }, + { + "source": "Pieris", + "target": "ergane" + }, + { + "source": "Pieris", + "target": "krueperi" + }, + { + "source": "Pieris", + "target": "melete" + }, + { + "source": "Pieris", + "target": "napi" + }, + { + "source": "Pieris", + "target": "nesis" + }, + { + "source": "Pieris", + "target": "bryoniae" + }, + { + "source": "Nymphalidae", + "target": "Satyrinae" + }, + { + "source": "Nymphalidae", + "target": "Nymphalinae" + }, + { + "source": "Nymphalidae", + "target": "Heliconiinae" + }, + { + "source": "Nymphalidae", + "target": "Libytheinae" + }, + { + "source": "Nymphalidae", + "target": "Danainae" + }, + { + "source": "Nymphalidae", + "target": "Charaxinae" + }, + { + "source": "Nymphalidae", + "target": "Apaturinae" + }, + { + "source": "Nymphalidae", + "target": "Limenitidinae" + }, + { + "source": "Satyrinae", + "target": "Erebia" + }, + { + "source": "Satyrinae", + "target": "Berberia" + }, + { + "source": "Satyrinae", + "target": "Paralasa" + }, + { + "source": "Satyrinae", + "target": "Proterebia" + }, + { + "source": "Satyrinae", + "target": "Boeberia" + }, + { + "source": "Satyrinae", + "target": "Loxerebia" + }, + { + "source": "Satyrinae", + "target": "Proteerbia" + }, + { + "source": "Satyrinae", + "target": "Melanargia" + }, + { + "source": "Satyrinae", + "target": "Davidina" + }, + { + "source": "Satyrinae", + "target": "Hipparchia" + }, + { + "source": "Satyrinae", + "target": "Chazara" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara" + }, + { + "source": "Satyrinae", + "target": "Karanasa" + }, + { + "source": "Satyrinae", + "target": "Paroeneis" + }, + { + "source": "Satyrinae", + "target": "Oeneis" + }, + { + "source": "Satyrinae", + "target": "Satyrus" + }, + { + "source": "Satyrinae", + "target": "Minois" + }, + { + "source": "Satyrinae", + "target": "Arethusana" + }, + { + "source": "Satyrinae", + "target": "Brintesia" + }, + { + "source": "Satyrinae", + "target": "Maniola" + }, + { + "source": "Satyrinae", + "target": "Aphantopus" + }, + { + "source": "Satyrinae", + "target": "Hyponephele" + }, + { + "source": "Satyrinae", + "target": "Pyronia" + }, + { + "source": "Satyrinae", + "target": "Coenonympha" + }, + { + "source": "Satyrinae", + "target": "Pararge" + }, + { + "source": "Satyrinae", + "target": "Ypthima" + }, + { + "source": "Satyrinae", + "target": "Lasiommata" + }, + { + "source": "Satyrinae", + "target": "Lopinga" + }, + { + "source": "Satyrinae", + "target": "Kirinia" + }, + { + "source": "Satyrinae", + "target": "Neope" + }, + { + "source": "Satyrinae", + "target": "Lethe" + }, + { + "source": "Satyrinae", + "target": "Mycalesis" + }, + { + "source": "Erebia", + "target": "gorge" + }, + { + "source": "Erebia", + "target": "aethiopellus" + }, + { + "source": "Erebia", + "target": "mnestra" + }, + { + "source": "Erebia", + "target": "epistygne" + }, + { + "source": "Erebia", + "target": "turanica" + }, + { + "source": "Erebia", + "target": "ottomana" + }, + { + "source": "Erebia", + "target": "tyndarus" + }, + { + "source": "Erebia", + "target": "oeme" + }, + { + "source": "Erebia", + "target": "lefebvrei" + }, + { + "source": "Erebia", + "target": "melas" + }, + { + "source": "Erebia", + "target": "zapateri" + }, + { + "source": "Erebia", + "target": "neoridas" + }, + { + "source": "Erebia", + "target": "montana" + }, + { + "source": "Erebia", + "target": "cassioides" + }, + { + "source": "Erebia", + "target": "nivalis" + }, + { + "source": "Erebia", + "target": "scipio" + }, + { + "source": "Erebia", + "target": "pronoe" + }, + { + "source": "Erebia", + "target": "styx" + }, + { + "source": "Erebia", + "target": "meolans" + }, + { + "source": "Erebia", + "target": "palarica" + }, + { + "source": "Erebia", + "target": "pandrose" + }, + { + "source": "Erebia", + "target": "hispania" + }, + { + "source": "Erebia", + "target": "meta" + }, + { + "source": "Erebia", + "target": "wanga" + }, + { + "source": "Erebia", + "target": "theano" + }, + { + "source": "Erebia", + "target": "erinnyn" + }, + { + "source": "Erebia", + "target": "disa" + }, + { + "source": "Erebia", + "target": "rossii" + }, + { + "source": "Erebia", + "target": "cyclopius" + }, + { + "source": "Erebia", + "target": "rondoui" + }, + { + "source": "Erebia", + "target": "euryale" + }, + { + "source": "Erebia", + "target": "ligea" + }, + { + "source": "Erebia", + "target": "eriphyle" + }, + { + "source": "Erebia", + "target": "manto" + }, + { + "source": "Erebia", + "target": "epiphron" + }, + { + "source": "Erebia", + "target": "flavofasciata" + }, + { + "source": "Erebia", + "target": "bubastis" + }, + { + "source": "Erebia", + "target": "claudina" + }, + { + "source": "Erebia", + "target": "christi" + }, + { + "source": "Erebia", + "target": "pharte" + }, + { + "source": "Erebia", + "target": "aethiops" + }, + { + "source": "Erebia", + "target": "melampus" + }, + { + "source": "Erebia", + "target": "sudetica" + }, + { + "source": "Erebia", + "target": "neriene" + }, + { + "source": "Erebia", + "target": "triaria" + }, + { + "source": "Erebia", + "target": "medusa" + }, + { + "source": "Erebia", + "target": "alberganus" + }, + { + "source": "Erebia", + "target": "pluto" + }, + { + "source": "Berberia", + "target": "lambessanus" + }, + { + "source": "Berberia", + "target": "abdelkader" + }, + { + "source": "Paralasa", + "target": "hades" + }, + { + "source": "Proterebia", + "target": "afra" + }, + { + "source": "Boeberia", + "target": "parmenio" + }, + { + "source": "Loxerebia", + "target": "saxicola" + }, + { + "source": "Proteerbia", + "target": "afra" + }, + { + "source": "Lycaenidae", + "target": "Lycaeninae" + }, + { + "source": "Lycaenidae", + "target": "Theclinae" + }, + { + "source": "Lycaenidae", + "target": "Aphnaeinae" + }, + { + "source": "Lycaenidae", + "target": "Polyommatinae" + }, + { + "source": "Lycaeninae", + "target": "Lycaena" + }, + { + "source": "Lycaeninae", + "target": "Heliophorus" + }, + { + "source": "Lycaena", + "target": "thersamon" + }, + { + "source": "Lycaena", + "target": "lampon" + }, + { + "source": "Lycaena", + "target": "solskyi" + }, + { + "source": "Lycaena", + "target": "splendens" + }, + { + "source": "Lycaena", + "target": "candens" + }, + { + "source": "Lycaena", + "target": "ochimus" + }, + { + "source": "Lycaena", + "target": "hippothoe" + }, + { + "source": "Lycaena", + "target": "tityrus" + }, + { + "source": "Lycaena", + "target": "asabinus" + }, + { + "source": "Lycaena", + "target": "thetis" + }, + { + "source": "Lycaena", + "target": "phlaeas" + }, + { + "source": "Lycaena", + "target": "helle" + }, + { + "source": "Lycaena", + "target": "pang" + }, + { + "source": "Lycaena", + "target": "caspius" + }, + { + "source": "Lycaena", + "target": "margelanica" + }, + { + "source": "Lycaena", + "target": "li" + }, + { + "source": "Lycaena", + "target": "dispar" + }, + { + "source": "Lycaena", + "target": "alciphron" + }, + { + "source": "Lycaena", + "target": "virgaureae" + }, + { + "source": "Lycaena", + "target": "kasyapa" + }, + { + "source": "Lycaena", + "target": "Tschamut, Tujetsch" + }, + { + "source": "Nymphalinae", + "target": "Melitaea" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis" + }, + { + "source": "Nymphalinae", + "target": "Inachis" + }, + { + "source": "Nymphalinae", + "target": "Araschnia" + }, + { + "source": "Nymphalinae", + "target": "Junonia" + }, + { + "source": "Nymphalinae", + "target": "Vanessa" + }, + { + "source": "Nymphalinae", + "target": "Meiltaea" + }, + { + "source": "Nymphalinae", + "target": "Euphydryas" + }, + { + "source": "Melitaea", + "target": "athalia" + }, + { + "source": "Melitaea", + "target": "parthenoides" + }, + { + "source": "Melitaea", + "target": "cinxia" + }, + { + "source": "Melitaea", + "target": "aetherie" + }, + { + "source": "Melitaea", + "target": "arduinna" + }, + { + "source": "Melitaea", + "target": "phoebe" + }, + { + "source": "Melitaea", + "target": "didyma" + }, + { + "source": "Melitaea", + "target": "varia" + }, + { + "source": "Melitaea", + "target": "aurelia" + }, + { + "source": "Melitaea", + "target": "asteria" + }, + { + "source": "Melitaea", + "target": "diamina" + }, + { + "source": "Melitaea", + "target": "punica" + }, + { + "source": "Melitaea", + "target": "britomartis" + }, + { + "source": "Melitaea", + "target": "fergana" + }, + { + "source": "Melitaea", + "target": "acraeina" + }, + { + "source": "Melitaea", + "target": "trivia" + }, + { + "source": "Melitaea", + "target": "persea" + }, + { + "source": "Melitaea", + "target": "ambigua" + }, + { + "source": "Melitaea", + "target": "deione" + }, + { + "source": "Melitaea", + "target": "chitralensis" + }, + { + "source": "Melitaea", + "target": "saxatilis" + }, + { + "source": "Melitaea", + "target": "turanica" + }, + { + "source": "Melitaea", + "target": "minerva" + }, + { + "source": "Melitaea", + "target": "scotosia" + }, + { + "source": "Melitaea", + "target": "nevadensis" + }, + { + "source": "Heliconiinae", + "target": "Argynnis" + }, + { + "source": "Heliconiinae", + "target": "Cethosia" + }, + { + "source": "Heliconiinae", + "target": "Childrena" + }, + { + "source": "Heliconiinae", + "target": "Argyronome" + }, + { + "source": "Heliconiinae", + "target": "Speyeria" + }, + { + "source": "Heliconiinae", + "target": "Fabriciana" + }, + { + "source": "Heliconiinae", + "target": "Issoria" + }, + { + "source": "Heliconiinae", + "target": "Brenthis" + }, + { + "source": "Heliconiinae", + "target": "Boloria" + }, + { + "source": "Heliconiinae", + "target": "Kuekenthaliella" + }, + { + "source": "Heliconiinae", + "target": "Clossiana" + }, + { + "source": "Heliconiinae", + "target": "Proclossiana" + }, + { + "source": "Argynnis", + "target": "paphia" + }, + { + "source": "Argynnis", + "target": "pandora" + }, + { + "source": "Heliophorus", + "target": "tamu" + }, + { + "source": "Heliophorus", + "target": "brahma" + }, + { + "source": "Heliophorus", + "target": "epicles" + }, + { + "source": "Heliophorus", + "target": "androcles" + }, + { + "source": "Cethosia", + "target": "biblis" + }, + { + "source": "Childrena", + "target": "childreni" + }, + { + "source": "Argyronome", + "target": "ruslana" + }, + { + "source": "Argyronome", + "target": "laodice" + }, + { + "source": "Pontia", + "target": "edusa" + }, + { + "source": "Pontia", + "target": "daplidice" + }, + { + "source": "Pontia", + "target": "callidice" + }, + { + "source": "Pontia", + "target": "chloridice" + }, + { + "source": "Anthocharis", + "target": "thibetana" + }, + { + "source": "Anthocharis", + "target": "bambusarum" + }, + { + "source": "Anthocharis", + "target": "bieti" + }, + { + "source": "Anthocharis", + "target": "scolymus" + }, + { + "source": "Anthocharis", + "target": "gruneri" + }, + { + "source": "Anthocharis", + "target": "damone" + }, + { + "source": "Anthocharis", + "target": "cardamines" + }, + { + "source": "Anthocharis", + "target": "belia" + }, + { + "source": "Anthocharis", + "target": "euphenoides" + }, + { + "source": "Zegris", + "target": "pyrothoe" + }, + { + "source": "Zegris", + "target": "eupheme" + }, + { + "source": "Zegris", + "target": "fausti" + }, + { + "source": "Euchloe", + "target": "simplonia" + }, + { + "source": "Euchloe", + "target": "daphalis" + }, + { + "source": "Euchloe", + "target": "belemia" + }, + { + "source": "Euchloe", + "target": "ausonia" + }, + { + "source": "Euchloe", + "target": "tagis" + }, + { + "source": "Euchloe", + "target": "crameri" + }, + { + "source": "Euchloe", + "target": "insularis" + }, + { + "source": "Euchloe", + "target": "orientalis" + }, + { + "source": "Euchloe", + "target": "transcaspica" + }, + { + "source": "Euchloe", + "target": "charlonia" + }, + { + "source": "Euchloe", + "target": "penia" + }, + { + "source": "Euchloe", + "target": "tomyris" + }, + { + "source": "Euchloe", + "target": "falloui" + }, + { + "source": "Euchloe", + "target": "pulverata" + }, + { + "source": "Colotis", + "target": "fausta" + }, + { + "source": "Colotis", + "target": "phisadia" + }, + { + "source": "Colotis", + "target": "protractus" + }, + { + "source": "Colotis", + "target": "evagore" + }, + { + "source": "Riodinidae", + "target": "Nemeobiinae" + }, + { + "source": "Nemeobiinae", + "target": "Hamearis" + }, + { + "source": "Nemeobiinae", + "target": "Polycaena" + }, + { + "source": "Hamearis", + "target": "lucina" + }, + { + "source": "Polycaena", + "target": "tamerlana" + }, + { + "source": "Theclinae", + "target": "Favonius" + }, + { + "source": "Theclinae", + "target": "Tomares" + }, + { + "source": "Theclinae", + "target": "Chrysozephyrus" + }, + { + "source": "Theclinae", + "target": "Ussuriana" + }, + { + "source": "Theclinae", + "target": "Coreana" + }, + { + "source": "Theclinae", + "target": "Japonica" + }, + { + "source": "Theclinae", + "target": "Thecla" + }, + { + "source": "Theclinae", + "target": "Artopoetes" + }, + { + "source": "Theclinae", + "target": "Laeosopis" + }, + { + "source": "Theclinae", + "target": "Callophrys" + }, + { + "source": "Theclinae", + "target": "Satyrium" + }, + { + "source": "Theclinae", + "target": "Neolycaena" + }, + { + "source": "Favonius", + "target": "quercus" + }, + { + "source": "Aphnaeinae", + "target": "Cigaritis" + }, + { + "source": "Cigaritis", + "target": "cilissa" + }, + { + "source": "Cigaritis", + "target": "siphax" + }, + { + "source": "Cigaritis", + "target": "zohra" + }, + { + "source": "Cigaritis", + "target": "allardi" + }, + { + "source": "Tomares", + "target": "ballus" + }, + { + "source": "Tomares", + "target": "nogelii" + }, + { + "source": "Tomares", + "target": "mauretanicus" + }, + { + "source": "Tomares", + "target": "romanovi" + }, + { + "source": "Tomares", + "target": "callimachus" + }, + { + "source": "Chrysozephyrus", + "target": "smaragdinus" + }, + { + "source": "Ussuriana", + "target": "micahaelis" + }, + { + "source": "Coreana", + "target": "raphaelis" + }, + { + "source": "Japonica", + "target": "saepestriata" + }, + { + "source": "Thecla", + "target": "betulae" + }, + { + "source": "Polyommatinae", + "target": "Celastrina" + }, + { + "source": "Polyommatinae", + "target": "Zizeeria" + }, + { + "source": "Polyommatinae", + "target": "Pseudozizeeria" + }, + { + "source": "Polyommatinae", + "target": "Tarucus" + }, + { + "source": "Polyommatinae", + "target": "Cyclyrius" + }, + { + "source": "Polyommatinae", + "target": "Leptotes" + }, + { + "source": "Polyommatinae", + "target": "Lampides" + }, + { + "source": "Polyommatinae", + "target": "Azanus" + }, + { + "source": "Polyommatinae", + "target": "Cupido" + }, + { + "source": "Polyommatinae", + "target": "Maculinea" + }, + { + "source": "Polyommatinae", + "target": "Glaucopsyche" + }, + { + "source": "Polyommatinae", + "target": "Pseudophilotes" + }, + { + "source": "Polyommatinae", + "target": "Scolitantides" + }, + { + "source": "Polyommatinae", + "target": "Iolana" + }, + { + "source": "Polyommatinae", + "target": "Plebejus" + }, + { + "source": "Polyommatinae", + "target": "Caerulea" + }, + { + "source": "Polyommatinae", + "target": "Afarsia" + }, + { + "source": "Polyommatinae", + "target": "Agriades" + }, + { + "source": "Polyommatinae", + "target": "Alpherakya" + }, + { + "source": "Polyommatinae", + "target": "Plebejidea" + }, + { + "source": "Polyommatinae", + "target": "Kretania" + }, + { + "source": "Polyommatinae", + "target": "Maurus" + }, + { + "source": "Polyommatinae", + "target": "Aricia" + }, + { + "source": "Polyommatinae", + "target": "Pamiria" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus" + }, + { + "source": "Polyommatinae", + "target": "Eumedonia" + }, + { + "source": "Polyommatinae", + "target": "Cyaniris" + }, + { + "source": "Polyommatinae", + "target": "Lysandra" + }, + { + "source": "Polyommatinae", + "target": "Glabroculus" + }, + { + "source": "Polyommatinae", + "target": "Neolysandra" + }, + { + "source": "Celastrina", + "target": "argiolus" + }, + { + "source": "Artopoetes", + "target": "pryeri" + }, + { + "source": "Laeosopis", + "target": "roboris" + }, + { + "source": "Callophrys", + "target": "rubi" + }, + { + "source": "Callophrys", + "target": "avis" + }, + { + "source": "Zizeeria", + "target": "knysna" + }, + { + "source": "Zizeeria", + "target": "karsandra" + }, + { + "source": "Pseudozizeeria", + "target": "maha" + }, + { + "source": "Tarucus", + "target": "theophrastus" + }, + { + "source": "Tarucus", + "target": "balkanica" + }, + { + "source": "Cyclyrius", + "target": "webbianus" + }, + { + "source": "Leptotes", + "target": "pirithous" + }, + { + "source": "Leptotes", + "target": "pirthous" + }, + { + "source": "Satyrium", + "target": "spini" + }, + { + "source": "Satyrium", + "target": "w-album" + }, + { + "source": "Satyrium", + "target": "ilicis" + }, + { + "source": "Satyrium", + "target": "pruni" + }, + { + "source": "Satyrium", + "target": "acaciae" + }, + { + "source": "Satyrium", + "target": "esculi" + }, + { + "source": "Satyrium", + "target": "ledereri" + }, + { + "source": "Lampides", + "target": "boeticus" + }, + { + "source": "Azanus", + "target": "jesous" + }, + { + "source": "Neolycaena", + "target": "rhymnus" + }, + { + "source": "Neolycaena", + "target": "davidi" + }, + { + "source": "Cupido", + "target": "minimus" + }, + { + "source": "Cupido", + "target": "alcetas" + }, + { + "source": "Cupido", + "target": "lorquinii" + }, + { + "source": "Cupido", + "target": "osiris" + }, + { + "source": "Cupido", + "target": "argiades" + }, + { + "source": "Cupido", + "target": "decolorata" + }, + { + "source": "Cupido", + "target": "staudingeri" + }, + { + "source": "Maculinea", + "target": "rebeli" + }, + { + "source": "Maculinea", + "target": "arion" + }, + { + "source": "Maculinea", + "target": "alcon" + }, + { + "source": "Maculinea", + "target": "teleius" + }, + { + "source": "Maculinea", + "target": "nausithous" + }, + { + "source": "Glaucopsyche", + "target": "melanops" + }, + { + "source": "Glaucopsyche", + "target": "alexis" + }, + { + "source": "Glaucopsyche", + "target": "paphos" + }, + { + "source": "Glaucopsyche", + "target": "astraea" + }, + { + "source": "Pseudophilotes", + "target": "abencerragus" + }, + { + "source": "Pseudophilotes", + "target": "bavius" + }, + { + "source": "Pseudophilotes", + "target": "panoptes" + }, + { + "source": "Pseudophilotes", + "target": "vicrama" + }, + { + "source": "Pseudophilotes", + "target": "baton" + }, + { + "source": "Scolitantides", + "target": "orion" + }, + { + "source": "Iolana", + "target": "gigantea" + }, + { + "source": "Iolana", + "target": "iolas" + }, + { + "source": "Plebejus", + "target": "argus" + }, + { + "source": "Plebejus", + "target": "eversmanni" + }, + { + "source": "Plebejus", + "target": "argyrognomon" + }, + { + "source": "Plebejus", + "target": "idas" + }, + { + "source": "Plebejus", + "target": "samudra" + }, + { + "source": "Plebejus", + "target": "maracandica" + }, + { + "source": "Caerulea", + "target": "coeli" + }, + { + "source": "Afarsia", + "target": "morgiana" + }, + { + "source": "Agriades", + "target": "optilete" + }, + { + "source": "Agriades", + "target": "orbitulus" + }, + { + "source": "Agriades", + "target": "glandon" + }, + { + "source": "Agriades", + "target": "pheretiades" + }, + { + "source": "Agriades", + "target": "lehanus" + }, + { + "source": "Alpherakya", + "target": "devanica" + }, + { + "source": "Plebejidea", + "target": "loewii" + }, + { + "source": "Kretania", + "target": "trappi" + }, + { + "source": "Kretania", + "target": "pylaon" + }, + { + "source": "Kretania", + "target": "psylorita" + }, + { + "source": "Kretania", + "target": "martini" + }, + { + "source": "Kretania", + "target": "allardii" + }, + { + "source": "Kretania", + "target": "eurypilus" + }, + { + "source": "Maurus", + "target": "vogelii" + }, + { + "source": "Aricia", + "target": "artaxerxes" + }, + { + "source": "Aricia", + "target": "agestis" + }, + { + "source": "Aricia", + "target": "montensis" + }, + { + "source": "Aricia", + "target": "nicias" + }, + { + "source": "Aricia", + "target": "isaurica" + }, + { + "source": "Aricia", + "target": "anteros" + }, + { + "source": "Pamiria", + "target": "omphisa" + }, + { + "source": "Pamiria", + "target": "galathea" + }, + { + "source": "Polyommatus", + "target": "damon" + }, + { + "source": "Polyommatus", + "target": "dolus" + }, + { + "source": "Polyommatus", + "target": "menalcas" + }, + { + "source": "Polyommatus", + "target": "antidolus" + }, + { + "source": "Polyommatus", + "target": "phyllis" + }, + { + "source": "Polyommatus", + "target": "iphidamon" + }, + { + "source": "Polyommatus", + "target": "damonides" + }, + { + "source": "Polyommatus", + "target": "poseidon" + }, + { + "source": "Polyommatus", + "target": "damone" + }, + { + "source": "Polyommatus", + "target": "ripartii" + }, + { + "source": "Polyommatus", + "target": "admetus" + }, + { + "source": "Polyommatus", + "target": "humedasae" + }, + { + "source": "Polyommatus", + "target": "dorylas" + }, + { + "source": "Polyommatus", + "target": "erschoffi" + }, + { + "source": "Polyommatus", + "target": "thersites" + }, + { + "source": "Polyommatus", + "target": "escheri" + }, + { + "source": "Polyommatus", + "target": "nivescens" + }, + { + "source": "Polyommatus", + "target": "aedon" + }, + { + "source": "Polyommatus", + "target": "myrrha" + }, + { + "source": "Polyommatus", + "target": "atys" + }, + { + "source": "Polyommatus", + "target": "icarus" + }, + { + "source": "Polyommatus", + "target": "caeruleus" + }, + { + "source": "Polyommatus", + "target": "elbursica" + }, + { + "source": "Polyommatus", + "target": "firdussii" + }, + { + "source": "Polyommatus", + "target": "stoliczkana" + }, + { + "source": "Polyommatus", + "target": "golgus" + }, + { + "source": "Polyommatus", + "target": "amandus" + }, + { + "source": "Polyommatus", + "target": "venus" + }, + { + "source": "Polyommatus", + "target": "daphnis" + }, + { + "source": "Polyommatus", + "target": "eros" + }, + { + "source": "Polyommatus", + "target": "celina" + }, + { + "source": "Eumedonia", + "target": "eumedon" + }, + { + "source": "Cyaniris", + "target": "semiargus" + }, + { + "source": "Lysandra", + "target": "bellargus" + }, + { + "source": "Lysandra", + "target": "coridon" + }, + { + "source": "Lysandra", + "target": "hispana" + }, + { + "source": "Lysandra", + "target": "albicans" + }, + { + "source": "Lysandra", + "target": "caelestissima" + }, + { + "source": "Lysandra", + "target": "punctifera" + }, + { + "source": "Glabroculus", + "target": "elvira" + }, + { + "source": "Glabroculus", + "target": "cyane" + }, + { + "source": "Neolysandra", + "target": "ellisoni" + }, + { + "source": "Neolysandra", + "target": "coelestina" + }, + { + "source": "Neolysandra", + "target": "corona" + }, + { + "source": "Libytheinae", + "target": "Libythea" + }, + { + "source": "Libythea", + "target": "celtis" + }, + { + "source": "Danainae", + "target": "Danaus" + }, + { + "source": "Danaus", + "target": "plexippus" + }, + { + "source": "Danaus", + "target": "chrysippus" + }, + { + "source": "Charaxinae", + "target": "Charaxes" + }, + { + "source": "Charaxes", + "target": "jasius" + }, + { + "source": "Apaturinae", + "target": "Mimathyma" + }, + { + "source": "Apaturinae", + "target": "Apatura" + }, + { + "source": "Apaturinae", + "target": "Euapatura" + }, + { + "source": "Apaturinae", + "target": "Hestina" + }, + { + "source": "Apaturinae", + "target": "Timelaea" + }, + { + "source": "Apaturinae", + "target": "Thaleropis" + }, + { + "source": "Mimathyma", + "target": "nycteis" + }, + { + "source": "Mimathyma", + "target": "schrenckii" + }, + { + "source": "Apatura", + "target": "iris" + }, + { + "source": "Apatura", + "target": "ilia" + }, + { + "source": "Apatura", + "target": "metis" + }, + { + "source": "Limenitidinae", + "target": "Limenitis" + }, + { + "source": "Limenitidinae", + "target": "Parasarpa" + }, + { + "source": "Limenitidinae", + "target": "Lelecella" + }, + { + "source": "Limenitidinae", + "target": "Neptis" + }, + { + "source": "Limenitidinae", + "target": "Athyma" + }, + { + "source": "Limenitis", + "target": "reducta" + }, + { + "source": "Limenitis", + "target": "populi" + }, + { + "source": "Limenitis", + "target": "camilla" + }, + { + "source": "Limenitis", + "target": "sydyi" + }, + { + "source": "Euapatura", + "target": "mirza" + }, + { + "source": "Hestina", + "target": "japonica" + }, + { + "source": "Timelaea", + "target": "albescens" + }, + { + "source": "Thaleropis", + "target": "ionia" + }, + { + "source": "Parasarpa", + "target": "albomaculata" + }, + { + "source": "Lelecella", + "target": "limenitoides" + }, + { + "source": "Neptis", + "target": "sappho" + }, + { + "source": "Neptis", + "target": "alwina" + }, + { + "source": "Neptis", + "target": "rivularis" + }, + { + "source": "Neptis", + "target": "pryeri" + }, + { + "source": "Nymphalis", + "target": "antiopa" + }, + { + "source": "Nymphalis", + "target": "polychloros" + }, + { + "source": "Nymphalis", + "target": "xanthomelas" + }, + { + "source": "Nymphalis", + "target": "l-album" + }, + { + "source": "Nymphalis", + "target": "urticae" + }, + { + "source": "Nymphalis", + "target": "ichnusa" + }, + { + "source": "Nymphalis", + "target": "ladakensis" + }, + { + "source": "Nymphalis", + "target": "egea" + }, + { + "source": "Nymphalis", + "target": "c-album" + }, + { + "source": "Nymphalis", + "target": "canace" + }, + { + "source": "Nymphalis", + "target": "c-aureum" + }, + { + "source": "Nymphalis", + "target": "rizana" + }, + { + "source": "Athyma", + "target": "punctata" + }, + { + "source": "Athyma", + "target": "perius" + }, + { + "source": "Inachis", + "target": "io" + }, + { + "source": "Araschnia", + "target": "burejana" + }, + { + "source": "Araschnia", + "target": "levana" + }, + { + "source": "Junonia", + "target": "hierta" + }, + { + "source": "Vanessa", + "target": "atalanta" + }, + { + "source": "Vanessa", + "target": "vulcania" + }, + { + "source": "Vanessa", + "target": "virginiensis" + }, + { + "source": "Vanessa", + "target": "indica" + }, + { + "source": "Vanessa", + "target": "cardui" + }, + { + "source": "Speyeria", + "target": "aglaja" + }, + { + "source": "Speyeria", + "target": "clara" + }, + { + "source": "Fabriciana", + "target": "niobe" + }, + { + "source": "Fabriciana", + "target": "adippe" + }, + { + "source": "Fabriciana", + "target": "jainadeva" + }, + { + "source": "Fabriciana", + "target": "auresiana" + }, + { + "source": "Fabriciana", + "target": "nerippe" + }, + { + "source": "Fabriciana", + "target": "elisa" + }, + { + "source": "Issoria", + "target": "lathonia" + }, + { + "source": "Brenthis", + "target": "hecate" + }, + { + "source": "Brenthis", + "target": "daphne" + }, + { + "source": "Brenthis", + "target": "ino" + }, + { + "source": "Boloria", + "target": "pales" + }, + { + "source": "Boloria", + "target": "sipora" + }, + { + "source": "Boloria", + "target": "aquilonaris" + }, + { + "source": "Boloria", + "target": "napaea" + }, + { + "source": "Boloria", + "target": "graeca" + }, + { + "source": "Kuekenthaliella", + "target": "eugenia" + }, + { + "source": "Clossiana", + "target": "selene" + }, + { + "source": "Clossiana", + "target": "thore" + }, + { + "source": "Clossiana", + "target": "dia" + }, + { + "source": "Clossiana", + "target": "euphrosyne" + }, + { + "source": "Clossiana", + "target": "titania" + }, + { + "source": "Clossiana", + "target": "freija" + }, + { + "source": "Clossiana", + "target": "iphigenia" + }, + { + "source": "Clossiana", + "target": "chariclea" + }, + { + "source": "Proclossiana", + "target": "eunomia" + }, + { + "source": "Meiltaea", + "target": "didyma" + }, + { + "source": "Euphydryas", + "target": "maturna" + }, + { + "source": "Euphydryas", + "target": "ichnea" + }, + { + "source": "Euphydryas", + "target": "cynthia" + }, + { + "source": "Euphydryas", + "target": "aurinia" + }, + { + "source": "Euphydryas", + "target": "sibirica" + }, + { + "source": "Euphydryas", + "target": "iduna" + }, + { + "source": "Euphydryas", + "target": "provincialis" + }, + { + "source": "Euphydryas", + "target": "desfontainii" + }, + { + "source": "Melanargia", + "target": "titea" + }, + { + "source": "Melanargia", + "target": "parce" + }, + { + "source": "Melanargia", + "target": "lachesis" + }, + { + "source": "Melanargia", + "target": "galathea" + }, + { + "source": "Melanargia", + "target": "russiae" + }, + { + "source": "Melanargia", + "target": "larissa" + }, + { + "source": "Melanargia", + "target": "ines" + }, + { + "source": "Melanargia", + "target": "pherusa" + }, + { + "source": "Melanargia", + "target": "occitanica" + }, + { + "source": "Melanargia", + "target": "arge" + }, + { + "source": "Melanargia", + "target": "meridionalis" + }, + { + "source": "Melanargia", + "target": "leda" + }, + { + "source": "Melanargia", + "target": "halimede" + }, + { + "source": "Melanargia", + "target": "lugens" + }, + { + "source": "Melanargia", + "target": "hylata" + }, + { + "source": "Davidina", + "target": "armandi" + }, + { + "source": "Hipparchia", + "target": "semele" + }, + { + "source": "Hipparchia", + "target": "parisatis" + }, + { + "source": "Hipparchia", + "target": "stulta" + }, + { + "source": "Hipparchia", + "target": "fidia" + }, + { + "source": "Hipparchia", + "target": "genava" + }, + { + "source": "Hipparchia", + "target": "aristaeus" + }, + { + "source": "Hipparchia", + "target": "fagi" + }, + { + "source": "Hipparchia", + "target": "wyssii" + }, + { + "source": "Hipparchia", + "target": "fatua" + }, + { + "source": "Hipparchia", + "target": "statilinus" + }, + { + "source": "Hipparchia", + "target": "syriaca" + }, + { + "source": "Hipparchia", + "target": "neomiris" + }, + { + "source": "Hipparchia", + "target": "azorina" + }, + { + "source": "Chazara", + "target": "briseis" + }, + { + "source": "Chazara", + "target": "prieuri" + }, + { + "source": "Chazara", + "target": "bischoffii" + }, + { + "source": "Chazara", + "target": "enervata" + }, + { + "source": "Chazara", + "target": "persephone" + }, + { + "source": "Chazara", + "target": "kaufmanni" + }, + { + "source": "Pseudochazara", + "target": "hippolyte" + }, + { + "source": "Pseudochazara", + "target": "pelopea" + }, + { + "source": "Pseudochazara", + "target": "alpina" + }, + { + "source": "Pseudochazara", + "target": "beroe" + }, + { + "source": "Pseudochazara", + "target": "schahrudensis" + }, + { + "source": "Pseudochazara", + "target": "mniszechii" + }, + { + "source": "Pseudochazara", + "target": "geyeri" + }, + { + "source": "Pseudochazara", + "target": "telephassa" + }, + { + "source": "Pseudochazara", + "target": "anthelea" + }, + { + "source": "Pseudochazara", + "target": "amalthea" + }, + { + "source": "Pseudochazara", + "target": "graeca" + }, + { + "source": "Pseudochazara", + "target": "cingovskii" + }, + { + "source": "Pseudochazara", + "target": "orestes" + }, + { + "source": "Karanasa", + "target": "abramovi" + }, + { + "source": "Karanasa", + "target": "modesta" + }, + { + "source": "Karanasa", + "target": "huebneri" + }, + { + "source": "Paroeneis", + "target": "palaearcticus" + }, + { + "source": "Paroeneis", + "target": "pumilis" + }, + { + "source": "Oeneis", + "target": "magna" + }, + { + "source": "Oeneis", + "target": "tarpeia" + }, + { + "source": "Oeneis", + "target": "glacialis" + }, + { + "source": "Oeneis", + "target": "norna" + }, + { + "source": "Satyrus", + "target": "actaea" + }, + { + "source": "Satyrus", + "target": "parthicus" + }, + { + "source": "Satyrus", + "target": "ferula" + }, + { + "source": "Minois", + "target": "dryas" + }, + { + "source": "Arethusana", + "target": "arethusa" + }, + { + "source": "Brintesia", + "target": "circe" + }, + { + "source": "Maniola", + "target": "jurtina" + }, + { + "source": "Maniola", + "target": "nurag" + }, + { + "source": "Aphantopus", + "target": "hyperantus" + }, + { + "source": "Hyponephele", + "target": "pulchra" + }, + { + "source": "Hyponephele", + "target": "pulchella" + }, + { + "source": "Hyponephele", + "target": "davendra" + }, + { + "source": "Hyponephele", + "target": "cadusia" + }, + { + "source": "Hyponephele", + "target": "amardaea" + }, + { + "source": "Hyponephele", + "target": "lycaon" + }, + { + "source": "Hyponephele", + "target": "lupina" + }, + { + "source": "Hyponephele", + "target": "capella" + }, + { + "source": "Hyponephele", + "target": "interposita" + }, + { + "source": "Pyronia", + "target": "tithonus" + }, + { + "source": "Pyronia", + "target": "bathseba" + }, + { + "source": "Pyronia", + "target": "cecilia" + }, + { + "source": "Pyronia", + "target": "janiroides" + }, + { + "source": "Coenonympha", + "target": "gardetta" + }, + { + "source": "Coenonympha", + "target": "tullia" + }, + { + "source": "Coenonympha", + "target": "corinna" + }, + { + "source": "Coenonympha", + "target": "sunbecca" + }, + { + "source": "Coenonympha", + "target": "pamphilus" + }, + { + "source": "Coenonympha", + "target": "dorus" + }, + { + "source": "Coenonympha", + "target": "elbana" + }, + { + "source": "Coenonympha", + "target": "darwiniana" + }, + { + "source": "Coenonympha", + "target": "arcania" + }, + { + "source": "Coenonympha", + "target": "leander" + }, + { + "source": "Coenonympha", + "target": "orientalis" + }, + { + "source": "Coenonympha", + "target": "iphioides" + }, + { + "source": "Coenonympha", + "target": "glycerion" + }, + { + "source": "Coenonympha", + "target": "hero" + }, + { + "source": "Coenonympha", + "target": "oedippus" + }, + { + "source": "Coenonympha", + "target": "mongolica" + }, + { + "source": "Pararge", + "target": "aegeria" + }, + { + "source": "Pararge", + "target": "xiphioides" + }, + { + "source": "Pararge", + "target": "xiphia" + }, + { + "source": "Ypthima", + "target": "baldus" + }, + { + "source": "Ypthima", + "target": "asterope" + }, + { + "source": "Lasiommata", + "target": "megera" + }, + { + "source": "Lasiommata", + "target": "petropolitana" + }, + { + "source": "Lasiommata", + "target": "maera" + }, + { + "source": "Lasiommata", + "target": "paramegaera" + }, + { + "source": "Lopinga", + "target": "achine" + }, + { + "source": "Kirinia", + "target": "roxelana" + }, + { + "source": "Kirinia", + "target": "climene" + }, + { + "source": "Kirinia", + "target": "eversmanni" + }, + { + "source": "Neope", + "target": "goschkevitschii" + }, + { + "source": "Lethe", + "target": "diana" + }, + { + "source": "Lethe", + "target": "sicelis" + }, + { + "source": "Mycalesis", + "target": "francisca" + }, + { + "source": "Mycalesis", + "target": "gotama" + }, + { + "source": "Arisbe", + "target": "mullah" + }, + { + "source": "Arisbe", + "target": "mandarinus" + }, + { + "source": "Arisbe", + "target": "parus" + }, + { + "source": "Arisbe", + "target": "alebion" + }, + { + "source": "Arisbe", + "target": "eurous" + }, + { + "source": "Arisbe", + "target": "doson" + }, + { + "source": "Arisbe", + "target": "tamerlanus" + }, + { + "source": "Arisbe", + "target": "leechi" + }, + { + "source": "Atrophaneura", + "target": "mencius" + }, + { + "source": "Atrophaneura", + "target": "plutonius" + }, + { + "source": "Atrophaneura", + "target": "horishana" + }, + { + "source": "Atrophaneura", + "target": "impediens" + }, + { + "source": "Atrophaneura", + "target": "polyeuctes" + }, + { + "source": "Atrophaneura", + "target": "alcinous" + }, + { + "source": "Atrophaneura", + "target": "nevilli" + }, + { + "source": "Agehana", + "target": "elwesi" + }, + { + "source": "Teinopalpus", + "target": "imperialis" + }, + { + "source": "Teinopalpus", + "target": "aureus" + }, + { + "source": "Graphium", + "target": "sarpedon" + }, + { + "source": "Graphium", + "target": "cloanthus" + }, + { + "source": "Meandrusa", + "target": "sciron" + } + ] +} \ No newline at end of file diff --git a/data/visualize_graph/graph_for_d3_merged.json b/data/visualize_graph/graph_for_d3_merged.json new file mode 100644 index 0000000..2e4abdd --- /dev/null +++ b/data/visualize_graph/graph_for_d3_merged.json @@ -0,0 +1,7312 @@ +{ + "nodes": [ + { + "name": "Hesperiidae", + "count": 2592, + "level": "family", + "color": "b" + }, + { + "name": "Heteropterinae", + "count": 197, + "level": "subfamily", + "color": "r" + }, + { + "name": "Carterocephalus_palaemon", + "count": 139, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Carterocephalus_silvicola", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Heteropterus_morpheus", + "count": 54, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hesperiinae", + "count": 807, + "level": "subfamily", + "color": "r" + }, + { + "name": "Thymelicus_sylvestris", + "count": 163, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Thymelicus_lineola", + "count": 191, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Thymelicus_hamza", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Thymelicus_acteon", + "count": 62, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hesperia_comma", + "count": 178, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Ochlodes_venata", + "count": 202, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Gegenes_nostrodamus", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrginae", + "count": 1588, + "level": "subfamily", + "color": "r" + }, + { + "name": "Erynnis_tages", + "count": 173, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Carcharodus_alceae", + "count": 72, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Carcharodus_lavatherae", + "count": 48, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Carcharodus_baeticus", + "count": 20, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Carcharodus_floccifera", + "count": 63, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Spialia_sertorius", + "count": 185, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Spialia_orbifer", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Muschampia_cribrellum", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Muschampia_proto", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Muschampia_tessellum", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_accretus", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_alveus", + "count": 220, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_armoricanus", + "count": 30, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_andromedae", + "count": 42, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_cacaliae", + "count": 85, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_carlinae", + "count": 77, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_carthami", + "count": 110, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_malvae", + "count": 149, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_cinarae", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_cirsii", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_centaureae", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_bellieri", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_malvoides", + "count": 117, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_onopordi", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_serratulae", + "count": 146, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_sidae", + "count": 12, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyrgus_warrenensis", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilionidae", + "count": 5504, + "level": "family", + "color": "b" + }, + { + "name": "Parnassiinae", + "count": 4716, + "level": "subfamily", + "color": "r" + }, + { + "name": "Parnassius_sacerdos", + "count": 417, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Archon_apollinus", + "count": 44, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Archon_apollinaris", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_apollo", + "count": 1980, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_geminus", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_mnemosyne", + "count": 487, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_glacialis", + "count": 70, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Sericinus_montela", + "count": 63, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Zerynthia_rumina", + "count": 74, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Zerynthia_polyxena", + "count": 200, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Allancastria_cerisyi", + "count": 42, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Allancastria_deyrollei", + "count": 9, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Allancastria_caucasica", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Allancastria_cretica", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Bhutanitis_thaidina", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Bhutanitis_lidderdalii", + "count": 13, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Bhutanitis_mansfieldi", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Luehdorfia_japonica", + "count": 15, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Luehdorfia_puziloi", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Luehdorfia_chinensis", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilioninae", + "count": 788, + "level": "subfamily", + "color": "r" + }, + { + "name": "Papilio_machaon", + "count": 288, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_stubbendorfii", + "count": 40, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_apollonius", + "count": 47, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_alexanor", + "count": 31, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_hospiton", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_xuthus", + "count": 15, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Iphiclides_podalirius", + "count": 225, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Iphiclides_feisthamelii", + "count": 24, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pieridae", + "count": 6842, + "level": "family", + "color": "b" + }, + { + "name": "Dismorphiinae", + "count": 781, + "level": "subfamily", + "color": "r" + }, + { + "name": "Leptidea_sinapis", + "count": 508, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coliadinae", + "count": 2538, + "level": "subfamily", + "color": "r" + }, + { + "name": "Colias_palaeno", + "count": 363, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Iphiclides_podalirinus", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_pelidne", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Leptidea_juvernica", + "count": 242, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Leptidea_morsei", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Leptidea_amurensis", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Leptidea_duponcheli", + "count": 19, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_marcopolo", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_ladakensis", + "count": 11, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_grumi", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_nebulosa", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_nastes", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_tamerlana", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_cocandica", + "count": 15, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_sieversi", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_sifanica", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_alpherakii", + "count": 9, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_christophi", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_shahfuladi", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_tyche", + "count": 44, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_phicomone", + "count": 395, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_montium", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_alfacariensis", + "count": 326, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_hyale", + "count": 209, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_erate", + "count": 18, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_erschoffi", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_romanovi", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_regia", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_stoliczkana", + "count": 19, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_hecla", + "count": 17, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_eogene", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_thisoa", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_staudingeri", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_lada", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_baeckeri", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_adelaidae", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_fieldii", + "count": 19, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_heos", + "count": 11, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_caucasica", + "count": 13, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_diva", + "count": 13, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_chrysotheme", + "count": 31, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_balcanica", + "count": 31, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_myrmidone", + "count": 57, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_croceus", + "count": 439, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_felderi", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_viluiensis", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pierinae", + "count": 3523, + "level": "subfamily", + "color": "r" + }, + { + "name": "Aporia_crataegi", + "count": 184, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_aurorina", + "count": 19, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_chlorocoma", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_libanotica", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_wiskotti", + "count": 42, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Catopsilia_florella", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Gonepteryx_rhamni", + "count": 158, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Gonepteryx_maxima", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colias_sagartia", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Gonepteryx_cleopatra", + "count": 123, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Gonepteryx_cleobule", + "count": 16, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Gonepteryx_amintha", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Gonepteryx_mahaguru", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Sinopieris_davidis", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Sinopieris_venata", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aporia_procris", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aporia_hippia", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Mesapia_peloria", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aporia_potanini", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aporia_nabellica", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Baltia_butleri", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Baltia_shawii", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pieris_brassicae", + "count": 176, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pieris_cheiranthi", + "count": 42, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pieris_rapae", + "count": 542, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalidae", + "count": 20919, + "level": "family", + "color": "b" + }, + { + "name": "Satyrinae", + "count": 11034, + "level": "subfamily", + "color": "r" + }, + { + "name": "Erebia_gorge", + "count": 231, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_aethiopellus", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_mnestra", + "count": 132, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_epistygne", + "count": 13, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_turanica", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_ottomana", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_tyndarus", + "count": 403, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_oeme", + "count": 149, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_lefebvrei", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_melas", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_zapateri", + "count": 17, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_neoridas", + "count": 18, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_montana", + "count": 199, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_cassioides", + "count": 13, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_nivalis", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_scipio", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_pronoe", + "count": 180, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_styx", + "count": 58, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_meolans", + "count": 155, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_palarica", + "count": 9, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_pandrose", + "count": 194, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_hispania", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_meta", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_wanga", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_theano", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_erinnyn", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Berberia_lambessanus", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Berberia_abdelkader", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_disa", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_rossii", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_cyclopius", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Paralasa_hades", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Proterebia_afra", + "count": 11, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Boeberia_parmenio", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Loxerebia_saxicola", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Proteerbia_afra", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_rondoui", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pieris_mannii", + "count": 129, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pieris_ergane", + "count": 27, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pieris_krueperi", + "count": 9, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pieris_melete", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pieris_napi", + "count": 929, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pieris_nesis", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaenidae", + "count": 12206, + "level": "family", + "color": "b" + }, + { + "name": "Lycaeninae", + "count": 2199, + "level": "subfamily", + "color": "r" + }, + { + "name": "Lycaena_thersamon", + "count": 39, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_lampon", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_solskyi", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_splendens", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_candens", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_ochimus", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_hippothoe", + "count": 418, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_tityrus", + "count": 484, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_asabinus", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_thetis", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalinae", + "count": 5691, + "level": "subfamily", + "color": "r" + }, + { + "name": "Melitaea_athalia", + "count": 696, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Heliconiinae", + "count": 3358, + "level": "subfamily", + "color": "r" + }, + { + "name": "Argynnis_paphia", + "count": 247, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Heliophorus_tamu", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Heliophorus_brahma", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Heliophorus_epicles", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Heliophorus_androcles", + "count": 14, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cethosia_biblis", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Childrena_childreni", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Argyronome_ruslana", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_parthenoides", + "count": 280, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pieris_bryoniae", + "count": 307, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pontia_edusa", + "count": 198, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pontia_daplidice", + "count": 34, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pontia_callidice", + "count": 152, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Anthocharis_thibetana", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Anthocharis_bambusarum", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Anthocharis_bieti", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Anthocharis_scolymus", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Zegris_pyrothoe", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Zegris_eupheme", + "count": 11, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Zegris_fausti", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_simplonia", + "count": 95, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_daphalis", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pontia_chloridice", + "count": 14, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_belemia", + "count": 28, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_ausonia", + "count": 31, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_tagis", + "count": 16, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_crameri", + "count": 57, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_insularis", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_orientalis", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_transcaspica", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_charlonia", + "count": 20, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_penia", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_tomyris", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_falloui", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euchloe_pulverata", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Anthocharis_gruneri", + "count": 9, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Anthocharis_damone", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Anthocharis_cardamines", + "count": 269, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Anthocharis_belia", + "count": 29, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Anthocharis_euphenoides", + "count": 75, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colotis_fausta", + "count": 14, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colotis_phisadia", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colotis_protractus", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Colotis_evagore", + "count": 16, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Riodinidae", + "count": 146, + "level": "family", + "color": "b" + }, + { + "name": "Nemeobiinae", + "count": 146, + "level": "subfamily", + "color": "r" + }, + { + "name": "Hamearis_lucina", + "count": 141, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polycaena_tamerlana", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_phlaeas", + "count": 300, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_helle", + "count": 102, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_pang", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_caspius", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_margelanica", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_li", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_dispar", + "count": 78, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_alciphron", + "count": 270, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_virgaureae", + "count": 422, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_kasyapa", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lycaena_Tschamut, Tujetsch", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Theclinae", + "count": 927, + "level": "subfamily", + "color": "r" + }, + { + "name": "Favonius_quercus", + "count": 128, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aphnaeinae", + "count": 14, + "level": "subfamily", + "color": "r" + }, + { + "name": "Cigaritis_cilissa", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cigaritis_siphax", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cigaritis_zohra", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cigaritis_allardi", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Tomares_ballus", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Tomares_nogelii", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Tomares_mauretanicus", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Tomares_romanovi", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Tomares_callimachus", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Chrysozephyrus_smaragdinus", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Ussuriana_micahaelis", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coreana_raphaelis", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Japonica_saepestriata", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Thecla_betulae", + "count": 144, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatinae", + "count": 9066, + "level": "subfamily", + "color": "r" + }, + { + "name": "Celastrina_argiolus", + "count": 186, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Artopoetes_pryeri", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Laeosopis_roboris", + "count": 13, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Callophrys_rubi", + "count": 162, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Zizeeria_knysna", + "count": 27, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudozizeeria_maha", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Tarucus_theophrastus", + "count": 12, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cyclyrius_webbianus", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Tarucus_balkanica", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Leptotes_pirithous", + "count": 100, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Satyrium_spini", + "count": 124, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lampides_boeticus", + "count": 94, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Satyrium_w-album", + "count": 62, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Satyrium_ilicis", + "count": 107, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Satyrium_pruni", + "count": 58, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Satyrium_acaciae", + "count": 62, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Satyrium_esculi", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Azanus_jesous", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Satyrium_ledereri", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Neolycaena_rhymnus", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Zizeeria_karsandra", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Callophrys_avis", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Leptotes_pirthous", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Neolycaena_davidi", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cupido_minimus", + "count": 309, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Maculinea_rebeli", + "count": 62, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Maculinea_arion", + "count": 313, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cupido_alcetas", + "count": 41, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cupido_lorquinii", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cupido_osiris", + "count": 73, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cupido_argiades", + "count": 107, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cupido_decolorata", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cupido_staudingeri", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Glaucopsyche_melanops", + "count": 15, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Glaucopsyche_alexis", + "count": 171, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Maculinea_alcon", + "count": 80, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Maculinea_teleius", + "count": 162, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudophilotes_abencerragus", + "count": 18, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudophilotes_bavius", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudophilotes_panoptes", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudophilotes_vicrama", + "count": 15, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudophilotes_baton", + "count": 107, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Maculinea_nausithous", + "count": 120, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Scolitantides_orion", + "count": 178, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Iolana_gigantea", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Iolana_iolas", + "count": 71, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Plebejus_argus", + "count": 454, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Plebejus_eversmanni", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Glaucopsyche_paphos", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Caerulea_coeli", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Glaucopsyche_astraea", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Afarsia_morgiana", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Plebejus_argyrognomon", + "count": 124, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Agriades_optilete", + "count": 154, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Alpherakya_devanica", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Plebejidea_loewii", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Plebejus_idas", + "count": 760, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Kretania_trappi", + "count": 100, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Kretania_pylaon", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Kretania_psylorita", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Kretania_martini", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Kretania_allardii", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Maurus_vogelii", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Plebejus_samudra", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Agriades_orbitulus", + "count": 204, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aricia_artaxerxes", + "count": 260, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pamiria_omphisa", + "count": 9, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pamiria_galathea", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Agriades_glandon", + "count": 235, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aricia_agestis", + "count": 149, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Plebejus_maracandica", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_damon", + "count": 261, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aricia_montensis", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Eumedonia_eumedon", + "count": 162, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aricia_nicias", + "count": 120, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Cyaniris_semiargus", + "count": 532, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_dolus", + "count": 25, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aricia_isaurica", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aricia_anteros", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_menalcas", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_antidolus", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_phyllis", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_iphidamon", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_damonides", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_poseidon", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_damone", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_ripartii", + "count": 9, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_admetus", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_humedasae", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_dorylas", + "count": 217, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_erschoffi", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_thersites", + "count": 127, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_escheri", + "count": 177, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lysandra_bellargus", + "count": 510, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lysandra_coridon", + "count": 584, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lysandra_hispana", + "count": 20, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lysandra_albicans", + "count": 26, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lysandra_caelestissima", + "count": 14, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lysandra_punctifera", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_nivescens", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_aedon", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_myrrha", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_atys", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_icarus", + "count": 780, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_caeruleus", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Glabroculus_elvira", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Glabroculus_cyane", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_elbursica", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_firdussii", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_stoliczkana", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_golgus", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Neolysandra_ellisoni", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Neolysandra_coelestina", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Neolysandra_corona", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_amandus", + "count": 163, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_venus", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_daphnis", + "count": 153, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_eros", + "count": 198, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Polyommatus_celina", + "count": 65, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Libytheinae", + "count": 29, + "level": "subfamily", + "color": "r" + }, + { + "name": "Libythea_celtis", + "count": 29, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Danainae", + "count": 15, + "level": "subfamily", + "color": "r" + }, + { + "name": "Danaus_plexippus", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Danaus_chrysippus", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Charaxinae", + "count": 14, + "level": "subfamily", + "color": "r" + }, + { + "name": "Charaxes_jasius", + "count": 14, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Apaturinae", + "count": 307, + "level": "subfamily", + "color": "r" + }, + { + "name": "Mimathyma_nycteis", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Apatura_iris", + "count": 120, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Apatura_ilia", + "count": 161, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Limenitidinae", + "count": 471, + "level": "subfamily", + "color": "r" + }, + { + "name": "Limenitis_reducta", + "count": 123, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Apatura_metis", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euapatura_mirza", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hestina_japonica", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Timelaea_albescens", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Limenitis_populi", + "count": 69, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Limenitis_camilla", + "count": 163, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Mimathyma_schrenckii", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Thaleropis_ionia", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parasarpa_albomaculata", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Limenitis_sydyi", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lelecella_limenitoides", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Neptis_sappho", + "count": 16, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Neptis_alwina", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Neptis_rivularis", + "count": 82, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_antiopa", + "count": 137, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_polychloros", + "count": 139, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_xanthomelas", + "count": 15, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_l-album", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_urticae", + "count": 301, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Athyma_punctata", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Athyma_perius", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Neptis_pryeri", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_ichnusa", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_ladakensis", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_egea", + "count": 57, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_c-album", + "count": 199, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Inachis_io", + "count": 177, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Araschnia_burejana", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Araschnia_levana", + "count": 360, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_canace", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_c-aureum", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Nymphalis_rizana", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Junonia_hierta", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Vanessa_atalanta", + "count": 151, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Vanessa_vulcania", + "count": 51, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Vanessa_virginiensis", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Vanessa_indica", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Vanessa_cardui", + "count": 176, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Argynnis_pandora", + "count": 59, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Speyeria_aglaja", + "count": 243, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Fabriciana_niobe", + "count": 237, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Speyeria_clara", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Argyronome_laodice", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Fabriciana_adippe", + "count": 198, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Fabriciana_jainadeva", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Fabriciana_auresiana", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Fabriciana_nerippe", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Fabriciana_elisa", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Issoria_lathonia", + "count": 179, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Brenthis_hecate", + "count": 28, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Brenthis_daphne", + "count": 105, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Brenthis_ino", + "count": 270, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Boloria_pales", + "count": 218, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Kuekenthaliella_eugenia", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Boloria_sipora", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Boloria_aquilonaris", + "count": 63, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Boloria_napaea", + "count": 306, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Clossiana_selene", + "count": 218, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Proclossiana_eunomia", + "count": 49, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Boloria_graeca", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Clossiana_thore", + "count": 97, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Clossiana_dia", + "count": 204, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Clossiana_euphrosyne", + "count": 288, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Clossiana_titania", + "count": 282, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Clossiana_freija", + "count": 12, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Clossiana_iphigenia", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Clossiana_chariclea", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_cinxia", + "count": 208, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_aetherie", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_arduinna", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_phoebe", + "count": 244, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_didyma", + "count": 572, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_varia", + "count": 175, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_aurelia", + "count": 164, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_asteria", + "count": 111, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_diamina", + "count": 409, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Meiltaea_didyma", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_punica", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_britomartis", + "count": 16, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_fergana", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_acraeina", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_trivia", + "count": 21, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_persea", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_ambigua", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_deione", + "count": 74, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_chitralensis", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_saxatilis", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_turanica", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_minerva", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_scotosia", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euphydryas_maturna", + "count": 35, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euphydryas_ichnea", + "count": 77, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euphydryas_cynthia", + "count": 268, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euphydryas_aurinia", + "count": 490, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euphydryas_sibirica", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euphydryas_iduna", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_titea", + "count": 13, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_parce", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_lachesis", + "count": 49, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_galathea", + "count": 418, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euphydryas_provincialis", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Euphydryas_desfontainii", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_russiae", + "count": 27, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_larissa", + "count": 19, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_ines", + "count": 20, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_pherusa", + "count": 13, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_occitanica", + "count": 40, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_arge", + "count": 18, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_meridionalis", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_leda", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_halimede", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_lugens", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melanargia_hylata", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Davidina_armandi", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_semele", + "count": 174, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Chazara_briseis", + "count": 160, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_parisatis", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_stulta", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_fidia", + "count": 20, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_genava", + "count": 135, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_aristaeus", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_fagi", + "count": 98, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_wyssii", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_fatua", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_statilinus", + "count": 120, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_syriaca", + "count": 9, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_neomiris", + "count": 13, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hipparchia_azorina", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Chazara_prieuri", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Chazara_bischoffii", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Chazara_enervata", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Chazara_persephone", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Chazara_kaufmanni", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_hippolyte", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_pelopea", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_alpina", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_beroe", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_schahrudensis", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_mniszechii", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_geyeri", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_telephassa", + "count": 16, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_anthelea", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_amalthea", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_graeca", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_cingovskii", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pseudochazara_orestes", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Karanasa_abramovi", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Karanasa_modesta", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Karanasa_huebneri", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Paroeneis_palaearcticus", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Paroeneis_pumilis", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Oeneis_magna", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Oeneis_tarpeia", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Oeneis_glacialis", + "count": 138, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Oeneis_norna", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Satyrus_actaea", + "count": 12, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Satyrus_parthicus", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Satyrus_ferula", + "count": 199, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Minois_dryas", + "count": 227, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Arethusana_arethusa", + "count": 43, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Brintesia_circe", + "count": 88, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Maniola_jurtina", + "count": 415, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Aphantopus_hyperantus", + "count": 204, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hyponephele_pulchra", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hyponephele_pulchella", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hyponephele_davendra", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hyponephele_cadusia", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hyponephele_amardaea", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hyponephele_lycaon", + "count": 134, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Maniola_nurag", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hyponephele_lupina", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hyponephele_capella", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Hyponephele_interposita", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyronia_tithonus", + "count": 189, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_gardetta", + "count": 341, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_tullia", + "count": 133, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyronia_bathseba", + "count": 59, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyronia_cecilia", + "count": 59, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_corinna", + "count": 16, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_sunbecca", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_pamphilus", + "count": 389, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pyronia_janiroides", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_dorus", + "count": 24, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_elbana", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_darwiniana", + "count": 144, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_arcania", + "count": 242, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pararge_aegeria", + "count": 280, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_leander", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_orientalis", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Ypthima_baldus", + "count": 9, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_iphioides", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_glycerion", + "count": 146, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_hero", + "count": 47, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_oedippus", + "count": 46, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Coenonympha_mongolica", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Ypthima_asterope", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pararge_xiphioides", + "count": 52, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Pararge_xiphia", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lasiommata_megera", + "count": 215, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lasiommata_petropolitana", + "count": 101, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lasiommata_maera", + "count": 305, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lasiommata_paramegaera", + "count": 9, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lopinga_achine", + "count": 137, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_euryale", + "count": 449, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Kirinia_roxelana", + "count": 11, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Kirinia_climene", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Neope_goschkevitschii", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lethe_diana", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Mycalesis_francisca", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_ligea", + "count": 207, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Lethe_sicelis", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Mycalesis_gotama", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Kirinia_eversmanni", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_eriphyle", + "count": 47, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_manto", + "count": 305, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_epiphron", + "count": 275, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_flavofasciata", + "count": 114, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_bubastis", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_claudina", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_christi", + "count": 87, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_pharte", + "count": 163, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_aethiops", + "count": 359, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_melampus", + "count": 358, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_sudetica", + "count": 12, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_neriene", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_triaria", + "count": 119, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_medusa", + "count": 257, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_alberganus", + "count": 264, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Erebia_pluto", + "count": 139, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Gonepteryx_farinosa", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Melitaea_nevadensis", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Agriades_pheretiades", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Kretania_eurypilus", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_eversmannii", + "count": 78, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_ariadne", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_stenosemus", + "count": 20, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_hardwickii", + "count": 35, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_charltonius", + "count": 45, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_imperator", + "count": 29, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_acdestis", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_cardinal", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_szechenyii", + "count": 28, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_delphius", + "count": 78, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_maximinus", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_staudingeri", + "count": 29, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_orleans", + "count": 20, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_augustus", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_loxias", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_charltontonius", + "count": 17, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_inopinatus", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_autocrator", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_cardinalgebi", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_patricius", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_stoliczkanus", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_nordmanni", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_simo", + "count": 16, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_bremeri", + "count": 54, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_actius", + "count": 44, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_andreji", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_cephalus", + "count": 14, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_maharaja", + "count": 11, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_tenedius", + "count": 19, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_acco", + "count": 12, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_boedromius", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_simonius", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_tianschanicus", + "count": 76, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_phoebus", + "count": 54, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_honrathi", + "count": 10, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_ruckbeili", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_epaphus", + "count": 115, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_nomion", + "count": 118, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_jacquemonti", + "count": 34, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_mercurius", + "count": 7, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_tibetanus", + "count": 14, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_clodius", + "count": 39, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_smintheus", + "count": 81, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Parnassius_behrii", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Arisbe_mullah", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Atrophaneura_mencius", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Atrophaneura_plutonius", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_dehaani", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_polytes", + "count": 25, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Atrophaneura_horishana", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_bootes", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Agehana_elwesi", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_maackii", + "count": 24, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Atrophaneura_impediens", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Atrophaneura_polyeuctes", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Arisbe_mandarinus", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Arisbe_parus", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Atrophaneura_alcinous", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Arisbe_alebion", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_helenus", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Teinopalpus_imperialis", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_memnon", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Arisbe_eurous", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Graphium_sarpedon", + "count": 8, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Arisbe_doson", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Arisbe_tamerlanus", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_bianor", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_paris", + "count": 6, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_hopponis", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Atrophaneura_nevilli", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_krishna", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_macilentus", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Arisbe_leechi", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_protenor", + "count": 11, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Graphium_cloanthus", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_thaiwanus", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_chaon", + "count": 1, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_castor", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Meandrusa_sciron", + "count": 4, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Papilio_arcturus", + "count": 3, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Teinopalpus_aureus", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Agriades_lehanus", + "count": 5, + "level": "genus_specific_epithet", + "color": "m" + }, + { + "name": "Carterocephalus_dieckmanni", + "count": 2, + "level": "genus_specific_epithet", + "color": "m" + } + ], + "links": [ + { + "source": "Hesperiidae", + "target": "Heteropterinae" + }, + { + "source": "Hesperiidae", + "target": "Hesperiinae" + }, + { + "source": "Hesperiidae", + "target": "Pyrginae" + }, + { + "source": "Heteropterinae", + "target": "Carterocephalus_palaemon" + }, + { + "source": "Heteropterinae", + "target": "Carterocephalus_silvicola" + }, + { + "source": "Heteropterinae", + "target": "Heteropterus_morpheus" + }, + { + "source": "Heteropterinae", + "target": "Carterocephalus_dieckmanni" + }, + { + "source": "Hesperiinae", + "target": "Thymelicus_sylvestris" + }, + { + "source": "Hesperiinae", + "target": "Thymelicus_lineola" + }, + { + "source": "Hesperiinae", + "target": "Thymelicus_hamza" + }, + { + "source": "Hesperiinae", + "target": "Thymelicus_acteon" + }, + { + "source": "Hesperiinae", + "target": "Hesperia_comma" + }, + { + "source": "Hesperiinae", + "target": "Ochlodes_venata" + }, + { + "source": "Hesperiinae", + "target": "Gegenes_nostrodamus" + }, + { + "source": "Pyrginae", + "target": "Erynnis_tages" + }, + { + "source": "Pyrginae", + "target": "Carcharodus_alceae" + }, + { + "source": "Pyrginae", + "target": "Carcharodus_lavatherae" + }, + { + "source": "Pyrginae", + "target": "Carcharodus_baeticus" + }, + { + "source": "Pyrginae", + "target": "Carcharodus_floccifera" + }, + { + "source": "Pyrginae", + "target": "Spialia_sertorius" + }, + { + "source": "Pyrginae", + "target": "Spialia_orbifer" + }, + { + "source": "Pyrginae", + "target": "Muschampia_cribrellum" + }, + { + "source": "Pyrginae", + "target": "Muschampia_proto" + }, + { + "source": "Pyrginae", + "target": "Muschampia_tessellum" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_accretus" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_alveus" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_armoricanus" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_andromedae" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_cacaliae" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_carlinae" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_carthami" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_malvae" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_cinarae" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_cirsii" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_centaureae" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_bellieri" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_malvoides" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_onopordi" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_serratulae" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_sidae" + }, + { + "source": "Pyrginae", + "target": "Pyrgus_warrenensis" + }, + { + "source": "Papilionidae", + "target": "Parnassiinae" + }, + { + "source": "Papilionidae", + "target": "Papilioninae" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_sacerdos" + }, + { + "source": "Parnassiinae", + "target": "Archon_apollinus" + }, + { + "source": "Parnassiinae", + "target": "Archon_apollinaris" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_apollo" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_geminus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_mnemosyne" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_glacialis" + }, + { + "source": "Parnassiinae", + "target": "Sericinus_montela" + }, + { + "source": "Parnassiinae", + "target": "Zerynthia_rumina" + }, + { + "source": "Parnassiinae", + "target": "Zerynthia_polyxena" + }, + { + "source": "Parnassiinae", + "target": "Allancastria_cerisyi" + }, + { + "source": "Parnassiinae", + "target": "Allancastria_deyrollei" + }, + { + "source": "Parnassiinae", + "target": "Allancastria_caucasica" + }, + { + "source": "Parnassiinae", + "target": "Allancastria_cretica" + }, + { + "source": "Parnassiinae", + "target": "Bhutanitis_thaidina" + }, + { + "source": "Parnassiinae", + "target": "Bhutanitis_lidderdalii" + }, + { + "source": "Parnassiinae", + "target": "Bhutanitis_mansfieldi" + }, + { + "source": "Parnassiinae", + "target": "Luehdorfia_japonica" + }, + { + "source": "Parnassiinae", + "target": "Luehdorfia_puziloi" + }, + { + "source": "Parnassiinae", + "target": "Luehdorfia_chinensis" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_stubbendorfii" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_apollonius" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_eversmannii" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_ariadne" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_stenosemus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_hardwickii" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_charltonius" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_imperator" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_acdestis" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_cardinal" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_szechenyii" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_delphius" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_maximinus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_staudingeri" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_orleans" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_augustus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_loxias" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_charltontonius" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_inopinatus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_autocrator" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_cardinalgebi" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_patricius" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_stoliczkanus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_nordmanni" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_simo" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_bremeri" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_actius" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_andreji" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_cephalus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_maharaja" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_tenedius" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_acco" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_boedromius" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_simonius" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_tianschanicus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_phoebus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_honrathi" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_ruckbeili" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_epaphus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_nomion" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_jacquemonti" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_mercurius" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_tibetanus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_clodius" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_smintheus" + }, + { + "source": "Parnassiinae", + "target": "Parnassius_behrii" + }, + { + "source": "Papilioninae", + "target": "Papilio_machaon" + }, + { + "source": "Papilioninae", + "target": "Papilio_alexanor" + }, + { + "source": "Papilioninae", + "target": "Papilio_hospiton" + }, + { + "source": "Papilioninae", + "target": "Papilio_xuthus" + }, + { + "source": "Papilioninae", + "target": "Iphiclides_podalirius" + }, + { + "source": "Papilioninae", + "target": "Iphiclides_feisthamelii" + }, + { + "source": "Papilioninae", + "target": "Iphiclides_podalirinus" + }, + { + "source": "Papilioninae", + "target": "Arisbe_mullah" + }, + { + "source": "Papilioninae", + "target": "Atrophaneura_mencius" + }, + { + "source": "Papilioninae", + "target": "Atrophaneura_plutonius" + }, + { + "source": "Papilioninae", + "target": "Papilio_dehaani" + }, + { + "source": "Papilioninae", + "target": "Papilio_polytes" + }, + { + "source": "Papilioninae", + "target": "Atrophaneura_horishana" + }, + { + "source": "Papilioninae", + "target": "Papilio_bootes" + }, + { + "source": "Papilioninae", + "target": "Agehana_elwesi" + }, + { + "source": "Papilioninae", + "target": "Papilio_maackii" + }, + { + "source": "Papilioninae", + "target": "Atrophaneura_impediens" + }, + { + "source": "Papilioninae", + "target": "Atrophaneura_polyeuctes" + }, + { + "source": "Papilioninae", + "target": "Arisbe_mandarinus" + }, + { + "source": "Papilioninae", + "target": "Arisbe_parus" + }, + { + "source": "Papilioninae", + "target": "Atrophaneura_alcinous" + }, + { + "source": "Papilioninae", + "target": "Arisbe_alebion" + }, + { + "source": "Papilioninae", + "target": "Papilio_helenus" + }, + { + "source": "Papilioninae", + "target": "Teinopalpus_imperialis" + }, + { + "source": "Papilioninae", + "target": "Papilio_memnon" + }, + { + "source": "Papilioninae", + "target": "Arisbe_eurous" + }, + { + "source": "Papilioninae", + "target": "Graphium_sarpedon" + }, + { + "source": "Papilioninae", + "target": "Arisbe_doson" + }, + { + "source": "Papilioninae", + "target": "Arisbe_tamerlanus" + }, + { + "source": "Papilioninae", + "target": "Papilio_bianor" + }, + { + "source": "Papilioninae", + "target": "Papilio_paris" + }, + { + "source": "Papilioninae", + "target": "Papilio_hopponis" + }, + { + "source": "Papilioninae", + "target": "Atrophaneura_nevilli" + }, + { + "source": "Papilioninae", + "target": "Papilio_krishna" + }, + { + "source": "Papilioninae", + "target": "Papilio_macilentus" + }, + { + "source": "Papilioninae", + "target": "Arisbe_leechi" + }, + { + "source": "Papilioninae", + "target": "Papilio_protenor" + }, + { + "source": "Papilioninae", + "target": "Graphium_cloanthus" + }, + { + "source": "Papilioninae", + "target": "Papilio_thaiwanus" + }, + { + "source": "Papilioninae", + "target": "Papilio_chaon" + }, + { + "source": "Papilioninae", + "target": "Papilio_castor" + }, + { + "source": "Papilioninae", + "target": "Meandrusa_sciron" + }, + { + "source": "Papilioninae", + "target": "Papilio_arcturus" + }, + { + "source": "Papilioninae", + "target": "Teinopalpus_aureus" + }, + { + "source": "Pieridae", + "target": "Dismorphiinae" + }, + { + "source": "Pieridae", + "target": "Coliadinae" + }, + { + "source": "Pieridae", + "target": "Pierinae" + }, + { + "source": "Dismorphiinae", + "target": "Leptidea_sinapis" + }, + { + "source": "Dismorphiinae", + "target": "Leptidea_juvernica" + }, + { + "source": "Dismorphiinae", + "target": "Leptidea_morsei" + }, + { + "source": "Dismorphiinae", + "target": "Leptidea_amurensis" + }, + { + "source": "Dismorphiinae", + "target": "Leptidea_duponcheli" + }, + { + "source": "Coliadinae", + "target": "Colias_palaeno" + }, + { + "source": "Coliadinae", + "target": "Colias_pelidne" + }, + { + "source": "Coliadinae", + "target": "Colias_marcopolo" + }, + { + "source": "Coliadinae", + "target": "Colias_ladakensis" + }, + { + "source": "Coliadinae", + "target": "Colias_grumi" + }, + { + "source": "Coliadinae", + "target": "Colias_nebulosa" + }, + { + "source": "Coliadinae", + "target": "Colias_nastes" + }, + { + "source": "Coliadinae", + "target": "Colias_tamerlana" + }, + { + "source": "Coliadinae", + "target": "Colias_cocandica" + }, + { + "source": "Coliadinae", + "target": "Colias_sieversi" + }, + { + "source": "Coliadinae", + "target": "Colias_sifanica" + }, + { + "source": "Coliadinae", + "target": "Colias_alpherakii" + }, + { + "source": "Coliadinae", + "target": "Colias_christophi" + }, + { + "source": "Coliadinae", + "target": "Colias_shahfuladi" + }, + { + "source": "Coliadinae", + "target": "Colias_tyche" + }, + { + "source": "Coliadinae", + "target": "Colias_phicomone" + }, + { + "source": "Coliadinae", + "target": "Colias_montium" + }, + { + "source": "Coliadinae", + "target": "Colias_alfacariensis" + }, + { + "source": "Coliadinae", + "target": "Colias_hyale" + }, + { + "source": "Coliadinae", + "target": "Colias_erate" + }, + { + "source": "Coliadinae", + "target": "Colias_erschoffi" + }, + { + "source": "Coliadinae", + "target": "Colias_romanovi" + }, + { + "source": "Coliadinae", + "target": "Colias_regia" + }, + { + "source": "Coliadinae", + "target": "Colias_stoliczkana" + }, + { + "source": "Coliadinae", + "target": "Colias_hecla" + }, + { + "source": "Coliadinae", + "target": "Colias_eogene" + }, + { + "source": "Coliadinae", + "target": "Colias_thisoa" + }, + { + "source": "Coliadinae", + "target": "Colias_staudingeri" + }, + { + "source": "Coliadinae", + "target": "Colias_lada" + }, + { + "source": "Coliadinae", + "target": "Colias_baeckeri" + }, + { + "source": "Coliadinae", + "target": "Colias_adelaidae" + }, + { + "source": "Coliadinae", + "target": "Colias_fieldii" + }, + { + "source": "Coliadinae", + "target": "Colias_heos" + }, + { + "source": "Coliadinae", + "target": "Colias_caucasica" + }, + { + "source": "Coliadinae", + "target": "Colias_diva" + }, + { + "source": "Coliadinae", + "target": "Colias_chrysotheme" + }, + { + "source": "Coliadinae", + "target": "Colias_balcanica" + }, + { + "source": "Coliadinae", + "target": "Colias_myrmidone" + }, + { + "source": "Coliadinae", + "target": "Colias_croceus" + }, + { + "source": "Coliadinae", + "target": "Colias_felderi" + }, + { + "source": "Coliadinae", + "target": "Colias_viluiensis" + }, + { + "source": "Coliadinae", + "target": "Colias_aurorina" + }, + { + "source": "Coliadinae", + "target": "Colias_chlorocoma" + }, + { + "source": "Coliadinae", + "target": "Colias_libanotica" + }, + { + "source": "Coliadinae", + "target": "Colias_wiskotti" + }, + { + "source": "Coliadinae", + "target": "Catopsilia_florella" + }, + { + "source": "Coliadinae", + "target": "Gonepteryx_rhamni" + }, + { + "source": "Coliadinae", + "target": "Gonepteryx_maxima" + }, + { + "source": "Coliadinae", + "target": "Colias_sagartia" + }, + { + "source": "Coliadinae", + "target": "Gonepteryx_cleopatra" + }, + { + "source": "Coliadinae", + "target": "Gonepteryx_cleobule" + }, + { + "source": "Coliadinae", + "target": "Gonepteryx_amintha" + }, + { + "source": "Coliadinae", + "target": "Gonepteryx_mahaguru" + }, + { + "source": "Coliadinae", + "target": "Gonepteryx_farinosa" + }, + { + "source": "Pierinae", + "target": "Aporia_crataegi" + }, + { + "source": "Pierinae", + "target": "Sinopieris_davidis" + }, + { + "source": "Pierinae", + "target": "Sinopieris_venata" + }, + { + "source": "Pierinae", + "target": "Aporia_procris" + }, + { + "source": "Pierinae", + "target": "Aporia_hippia" + }, + { + "source": "Pierinae", + "target": "Mesapia_peloria" + }, + { + "source": "Pierinae", + "target": "Aporia_potanini" + }, + { + "source": "Pierinae", + "target": "Aporia_nabellica" + }, + { + "source": "Pierinae", + "target": "Baltia_butleri" + }, + { + "source": "Pierinae", + "target": "Baltia_shawii" + }, + { + "source": "Pierinae", + "target": "Pieris_brassicae" + }, + { + "source": "Pierinae", + "target": "Pieris_cheiranthi" + }, + { + "source": "Pierinae", + "target": "Pieris_rapae" + }, + { + "source": "Pierinae", + "target": "Pieris_mannii" + }, + { + "source": "Pierinae", + "target": "Pieris_ergane" + }, + { + "source": "Pierinae", + "target": "Pieris_krueperi" + }, + { + "source": "Pierinae", + "target": "Pieris_melete" + }, + { + "source": "Pierinae", + "target": "Pieris_napi" + }, + { + "source": "Pierinae", + "target": "Pieris_nesis" + }, + { + "source": "Pierinae", + "target": "Pieris_bryoniae" + }, + { + "source": "Pierinae", + "target": "Pontia_edusa" + }, + { + "source": "Pierinae", + "target": "Pontia_daplidice" + }, + { + "source": "Pierinae", + "target": "Pontia_callidice" + }, + { + "source": "Pierinae", + "target": "Anthocharis_thibetana" + }, + { + "source": "Pierinae", + "target": "Anthocharis_bambusarum" + }, + { + "source": "Pierinae", + "target": "Anthocharis_bieti" + }, + { + "source": "Pierinae", + "target": "Anthocharis_scolymus" + }, + { + "source": "Pierinae", + "target": "Zegris_pyrothoe" + }, + { + "source": "Pierinae", + "target": "Zegris_eupheme" + }, + { + "source": "Pierinae", + "target": "Zegris_fausti" + }, + { + "source": "Pierinae", + "target": "Euchloe_simplonia" + }, + { + "source": "Pierinae", + "target": "Euchloe_daphalis" + }, + { + "source": "Pierinae", + "target": "Pontia_chloridice" + }, + { + "source": "Pierinae", + "target": "Euchloe_belemia" + }, + { + "source": "Pierinae", + "target": "Euchloe_ausonia" + }, + { + "source": "Pierinae", + "target": "Euchloe_tagis" + }, + { + "source": "Pierinae", + "target": "Euchloe_crameri" + }, + { + "source": "Pierinae", + "target": "Euchloe_insularis" + }, + { + "source": "Pierinae", + "target": "Euchloe_orientalis" + }, + { + "source": "Pierinae", + "target": "Euchloe_transcaspica" + }, + { + "source": "Pierinae", + "target": "Euchloe_charlonia" + }, + { + "source": "Pierinae", + "target": "Euchloe_penia" + }, + { + "source": "Pierinae", + "target": "Euchloe_tomyris" + }, + { + "source": "Pierinae", + "target": "Euchloe_falloui" + }, + { + "source": "Pierinae", + "target": "Euchloe_pulverata" + }, + { + "source": "Pierinae", + "target": "Anthocharis_gruneri" + }, + { + "source": "Pierinae", + "target": "Anthocharis_damone" + }, + { + "source": "Pierinae", + "target": "Anthocharis_cardamines" + }, + { + "source": "Pierinae", + "target": "Anthocharis_belia" + }, + { + "source": "Pierinae", + "target": "Anthocharis_euphenoides" + }, + { + "source": "Pierinae", + "target": "Colotis_fausta" + }, + { + "source": "Pierinae", + "target": "Colotis_phisadia" + }, + { + "source": "Pierinae", + "target": "Colotis_protractus" + }, + { + "source": "Pierinae", + "target": "Colotis_evagore" + }, + { + "source": "Nymphalidae", + "target": "Satyrinae" + }, + { + "source": "Nymphalidae", + "target": "Nymphalinae" + }, + { + "source": "Nymphalidae", + "target": "Heliconiinae" + }, + { + "source": "Nymphalidae", + "target": "Libytheinae" + }, + { + "source": "Nymphalidae", + "target": "Danainae" + }, + { + "source": "Nymphalidae", + "target": "Charaxinae" + }, + { + "source": "Nymphalidae", + "target": "Apaturinae" + }, + { + "source": "Nymphalidae", + "target": "Limenitidinae" + }, + { + "source": "Satyrinae", + "target": "Erebia_gorge" + }, + { + "source": "Satyrinae", + "target": "Erebia_aethiopellus" + }, + { + "source": "Satyrinae", + "target": "Erebia_mnestra" + }, + { + "source": "Satyrinae", + "target": "Erebia_epistygne" + }, + { + "source": "Satyrinae", + "target": "Erebia_turanica" + }, + { + "source": "Satyrinae", + "target": "Erebia_ottomana" + }, + { + "source": "Satyrinae", + "target": "Erebia_tyndarus" + }, + { + "source": "Satyrinae", + "target": "Erebia_oeme" + }, + { + "source": "Satyrinae", + "target": "Erebia_lefebvrei" + }, + { + "source": "Satyrinae", + "target": "Erebia_melas" + }, + { + "source": "Satyrinae", + "target": "Erebia_zapateri" + }, + { + "source": "Satyrinae", + "target": "Erebia_neoridas" + }, + { + "source": "Satyrinae", + "target": "Erebia_montana" + }, + { + "source": "Satyrinae", + "target": "Erebia_cassioides" + }, + { + "source": "Satyrinae", + "target": "Erebia_nivalis" + }, + { + "source": "Satyrinae", + "target": "Erebia_scipio" + }, + { + "source": "Satyrinae", + "target": "Erebia_pronoe" + }, + { + "source": "Satyrinae", + "target": "Erebia_styx" + }, + { + "source": "Satyrinae", + "target": "Erebia_meolans" + }, + { + "source": "Satyrinae", + "target": "Erebia_palarica" + }, + { + "source": "Satyrinae", + "target": "Erebia_pandrose" + }, + { + "source": "Satyrinae", + "target": "Erebia_hispania" + }, + { + "source": "Satyrinae", + "target": "Erebia_meta" + }, + { + "source": "Satyrinae", + "target": "Erebia_wanga" + }, + { + "source": "Satyrinae", + "target": "Erebia_theano" + }, + { + "source": "Satyrinae", + "target": "Erebia_erinnyn" + }, + { + "source": "Satyrinae", + "target": "Berberia_lambessanus" + }, + { + "source": "Satyrinae", + "target": "Berberia_abdelkader" + }, + { + "source": "Satyrinae", + "target": "Erebia_disa" + }, + { + "source": "Satyrinae", + "target": "Erebia_rossii" + }, + { + "source": "Satyrinae", + "target": "Erebia_cyclopius" + }, + { + "source": "Satyrinae", + "target": "Paralasa_hades" + }, + { + "source": "Satyrinae", + "target": "Proterebia_afra" + }, + { + "source": "Satyrinae", + "target": "Boeberia_parmenio" + }, + { + "source": "Satyrinae", + "target": "Loxerebia_saxicola" + }, + { + "source": "Satyrinae", + "target": "Proteerbia_afra" + }, + { + "source": "Satyrinae", + "target": "Erebia_rondoui" + }, + { + "source": "Satyrinae", + "target": "Melanargia_titea" + }, + { + "source": "Satyrinae", + "target": "Melanargia_parce" + }, + { + "source": "Satyrinae", + "target": "Melanargia_lachesis" + }, + { + "source": "Satyrinae", + "target": "Melanargia_galathea" + }, + { + "source": "Satyrinae", + "target": "Melanargia_russiae" + }, + { + "source": "Satyrinae", + "target": "Melanargia_larissa" + }, + { + "source": "Satyrinae", + "target": "Melanargia_ines" + }, + { + "source": "Satyrinae", + "target": "Melanargia_pherusa" + }, + { + "source": "Satyrinae", + "target": "Melanargia_occitanica" + }, + { + "source": "Satyrinae", + "target": "Melanargia_arge" + }, + { + "source": "Satyrinae", + "target": "Melanargia_meridionalis" + }, + { + "source": "Satyrinae", + "target": "Melanargia_leda" + }, + { + "source": "Satyrinae", + "target": "Melanargia_halimede" + }, + { + "source": "Satyrinae", + "target": "Melanargia_lugens" + }, + { + "source": "Satyrinae", + "target": "Melanargia_hylata" + }, + { + "source": "Satyrinae", + "target": "Davidina_armandi" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_semele" + }, + { + "source": "Satyrinae", + "target": "Chazara_briseis" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_parisatis" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_stulta" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_fidia" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_genava" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_aristaeus" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_fagi" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_wyssii" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_fatua" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_statilinus" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_syriaca" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_neomiris" + }, + { + "source": "Satyrinae", + "target": "Hipparchia_azorina" + }, + { + "source": "Satyrinae", + "target": "Chazara_prieuri" + }, + { + "source": "Satyrinae", + "target": "Chazara_bischoffii" + }, + { + "source": "Satyrinae", + "target": "Chazara_enervata" + }, + { + "source": "Satyrinae", + "target": "Chazara_persephone" + }, + { + "source": "Satyrinae", + "target": "Chazara_kaufmanni" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_hippolyte" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_pelopea" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_alpina" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_beroe" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_schahrudensis" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_mniszechii" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_geyeri" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_telephassa" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_anthelea" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_amalthea" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_graeca" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_cingovskii" + }, + { + "source": "Satyrinae", + "target": "Pseudochazara_orestes" + }, + { + "source": "Satyrinae", + "target": "Karanasa_abramovi" + }, + { + "source": "Satyrinae", + "target": "Karanasa_modesta" + }, + { + "source": "Satyrinae", + "target": "Karanasa_huebneri" + }, + { + "source": "Satyrinae", + "target": "Paroeneis_palaearcticus" + }, + { + "source": "Satyrinae", + "target": "Paroeneis_pumilis" + }, + { + "source": "Satyrinae", + "target": "Oeneis_magna" + }, + { + "source": "Satyrinae", + "target": "Oeneis_tarpeia" + }, + { + "source": "Satyrinae", + "target": "Oeneis_glacialis" + }, + { + "source": "Satyrinae", + "target": "Oeneis_norna" + }, + { + "source": "Satyrinae", + "target": "Satyrus_actaea" + }, + { + "source": "Satyrinae", + "target": "Satyrus_parthicus" + }, + { + "source": "Satyrinae", + "target": "Satyrus_ferula" + }, + { + "source": "Satyrinae", + "target": "Minois_dryas" + }, + { + "source": "Satyrinae", + "target": "Arethusana_arethusa" + }, + { + "source": "Satyrinae", + "target": "Brintesia_circe" + }, + { + "source": "Satyrinae", + "target": "Maniola_jurtina" + }, + { + "source": "Satyrinae", + "target": "Aphantopus_hyperantus" + }, + { + "source": "Satyrinae", + "target": "Hyponephele_pulchra" + }, + { + "source": "Satyrinae", + "target": "Hyponephele_pulchella" + }, + { + "source": "Satyrinae", + "target": "Hyponephele_davendra" + }, + { + "source": "Satyrinae", + "target": "Hyponephele_cadusia" + }, + { + "source": "Satyrinae", + "target": "Hyponephele_amardaea" + }, + { + "source": "Satyrinae", + "target": "Hyponephele_lycaon" + }, + { + "source": "Satyrinae", + "target": "Maniola_nurag" + }, + { + "source": "Satyrinae", + "target": "Hyponephele_lupina" + }, + { + "source": "Satyrinae", + "target": "Hyponephele_capella" + }, + { + "source": "Satyrinae", + "target": "Hyponephele_interposita" + }, + { + "source": "Satyrinae", + "target": "Pyronia_tithonus" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_gardetta" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_tullia" + }, + { + "source": "Satyrinae", + "target": "Pyronia_bathseba" + }, + { + "source": "Satyrinae", + "target": "Pyronia_cecilia" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_corinna" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_sunbecca" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_pamphilus" + }, + { + "source": "Satyrinae", + "target": "Pyronia_janiroides" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_dorus" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_elbana" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_darwiniana" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_arcania" + }, + { + "source": "Satyrinae", + "target": "Pararge_aegeria" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_leander" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_orientalis" + }, + { + "source": "Satyrinae", + "target": "Ypthima_baldus" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_iphioides" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_glycerion" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_hero" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_oedippus" + }, + { + "source": "Satyrinae", + "target": "Coenonympha_mongolica" + }, + { + "source": "Satyrinae", + "target": "Ypthima_asterope" + }, + { + "source": "Satyrinae", + "target": "Pararge_xiphioides" + }, + { + "source": "Satyrinae", + "target": "Pararge_xiphia" + }, + { + "source": "Satyrinae", + "target": "Lasiommata_megera" + }, + { + "source": "Satyrinae", + "target": "Lasiommata_petropolitana" + }, + { + "source": "Satyrinae", + "target": "Lasiommata_maera" + }, + { + "source": "Satyrinae", + "target": "Lasiommata_paramegaera" + }, + { + "source": "Satyrinae", + "target": "Lopinga_achine" + }, + { + "source": "Satyrinae", + "target": "Erebia_euryale" + }, + { + "source": "Satyrinae", + "target": "Kirinia_roxelana" + }, + { + "source": "Satyrinae", + "target": "Kirinia_climene" + }, + { + "source": "Satyrinae", + "target": "Neope_goschkevitschii" + }, + { + "source": "Satyrinae", + "target": "Lethe_diana" + }, + { + "source": "Satyrinae", + "target": "Mycalesis_francisca" + }, + { + "source": "Satyrinae", + "target": "Erebia_ligea" + }, + { + "source": "Satyrinae", + "target": "Lethe_sicelis" + }, + { + "source": "Satyrinae", + "target": "Mycalesis_gotama" + }, + { + "source": "Satyrinae", + "target": "Kirinia_eversmanni" + }, + { + "source": "Satyrinae", + "target": "Erebia_eriphyle" + }, + { + "source": "Satyrinae", + "target": "Erebia_manto" + }, + { + "source": "Satyrinae", + "target": "Erebia_epiphron" + }, + { + "source": "Satyrinae", + "target": "Erebia_flavofasciata" + }, + { + "source": "Satyrinae", + "target": "Erebia_bubastis" + }, + { + "source": "Satyrinae", + "target": "Erebia_claudina" + }, + { + "source": "Satyrinae", + "target": "Erebia_christi" + }, + { + "source": "Satyrinae", + "target": "Erebia_pharte" + }, + { + "source": "Satyrinae", + "target": "Erebia_aethiops" + }, + { + "source": "Satyrinae", + "target": "Erebia_melampus" + }, + { + "source": "Satyrinae", + "target": "Erebia_sudetica" + }, + { + "source": "Satyrinae", + "target": "Erebia_neriene" + }, + { + "source": "Satyrinae", + "target": "Erebia_triaria" + }, + { + "source": "Satyrinae", + "target": "Erebia_medusa" + }, + { + "source": "Satyrinae", + "target": "Erebia_alberganus" + }, + { + "source": "Satyrinae", + "target": "Erebia_pluto" + }, + { + "source": "Lycaenidae", + "target": "Lycaeninae" + }, + { + "source": "Lycaenidae", + "target": "Theclinae" + }, + { + "source": "Lycaenidae", + "target": "Aphnaeinae" + }, + { + "source": "Lycaenidae", + "target": "Polyommatinae" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_thersamon" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_lampon" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_solskyi" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_splendens" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_candens" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_ochimus" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_hippothoe" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_tityrus" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_asabinus" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_thetis" + }, + { + "source": "Lycaeninae", + "target": "Heliophorus_tamu" + }, + { + "source": "Lycaeninae", + "target": "Heliophorus_brahma" + }, + { + "source": "Lycaeninae", + "target": "Heliophorus_epicles" + }, + { + "source": "Lycaeninae", + "target": "Heliophorus_androcles" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_phlaeas" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_helle" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_pang" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_caspius" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_margelanica" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_li" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_dispar" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_alciphron" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_virgaureae" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_kasyapa" + }, + { + "source": "Lycaeninae", + "target": "Lycaena_Tschamut, Tujetsch" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_athalia" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_parthenoides" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_antiopa" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_polychloros" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_xanthomelas" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_l-album" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_urticae" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_ichnusa" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_ladakensis" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_egea" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_c-album" + }, + { + "source": "Nymphalinae", + "target": "Inachis_io" + }, + { + "source": "Nymphalinae", + "target": "Araschnia_burejana" + }, + { + "source": "Nymphalinae", + "target": "Araschnia_levana" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_canace" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_c-aureum" + }, + { + "source": "Nymphalinae", + "target": "Nymphalis_rizana" + }, + { + "source": "Nymphalinae", + "target": "Junonia_hierta" + }, + { + "source": "Nymphalinae", + "target": "Vanessa_atalanta" + }, + { + "source": "Nymphalinae", + "target": "Vanessa_vulcania" + }, + { + "source": "Nymphalinae", + "target": "Vanessa_virginiensis" + }, + { + "source": "Nymphalinae", + "target": "Vanessa_indica" + }, + { + "source": "Nymphalinae", + "target": "Vanessa_cardui" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_cinxia" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_aetherie" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_arduinna" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_phoebe" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_didyma" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_varia" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_aurelia" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_asteria" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_diamina" + }, + { + "source": "Nymphalinae", + "target": "Meiltaea_didyma" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_punica" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_britomartis" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_fergana" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_acraeina" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_trivia" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_persea" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_ambigua" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_deione" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_chitralensis" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_saxatilis" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_turanica" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_minerva" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_scotosia" + }, + { + "source": "Nymphalinae", + "target": "Euphydryas_maturna" + }, + { + "source": "Nymphalinae", + "target": "Euphydryas_ichnea" + }, + { + "source": "Nymphalinae", + "target": "Euphydryas_cynthia" + }, + { + "source": "Nymphalinae", + "target": "Euphydryas_aurinia" + }, + { + "source": "Nymphalinae", + "target": "Euphydryas_sibirica" + }, + { + "source": "Nymphalinae", + "target": "Euphydryas_iduna" + }, + { + "source": "Nymphalinae", + "target": "Euphydryas_provincialis" + }, + { + "source": "Nymphalinae", + "target": "Euphydryas_desfontainii" + }, + { + "source": "Nymphalinae", + "target": "Melitaea_nevadensis" + }, + { + "source": "Heliconiinae", + "target": "Argynnis_paphia" + }, + { + "source": "Heliconiinae", + "target": "Cethosia_biblis" + }, + { + "source": "Heliconiinae", + "target": "Childrena_childreni" + }, + { + "source": "Heliconiinae", + "target": "Argyronome_ruslana" + }, + { + "source": "Heliconiinae", + "target": "Argynnis_pandora" + }, + { + "source": "Heliconiinae", + "target": "Speyeria_aglaja" + }, + { + "source": "Heliconiinae", + "target": "Fabriciana_niobe" + }, + { + "source": "Heliconiinae", + "target": "Speyeria_clara" + }, + { + "source": "Heliconiinae", + "target": "Argyronome_laodice" + }, + { + "source": "Heliconiinae", + "target": "Fabriciana_adippe" + }, + { + "source": "Heliconiinae", + "target": "Fabriciana_jainadeva" + }, + { + "source": "Heliconiinae", + "target": "Fabriciana_auresiana" + }, + { + "source": "Heliconiinae", + "target": "Fabriciana_nerippe" + }, + { + "source": "Heliconiinae", + "target": "Fabriciana_elisa" + }, + { + "source": "Heliconiinae", + "target": "Issoria_lathonia" + }, + { + "source": "Heliconiinae", + "target": "Brenthis_hecate" + }, + { + "source": "Heliconiinae", + "target": "Brenthis_daphne" + }, + { + "source": "Heliconiinae", + "target": "Brenthis_ino" + }, + { + "source": "Heliconiinae", + "target": "Boloria_pales" + }, + { + "source": "Heliconiinae", + "target": "Kuekenthaliella_eugenia" + }, + { + "source": "Heliconiinae", + "target": "Boloria_sipora" + }, + { + "source": "Heliconiinae", + "target": "Boloria_aquilonaris" + }, + { + "source": "Heliconiinae", + "target": "Boloria_napaea" + }, + { + "source": "Heliconiinae", + "target": "Clossiana_selene" + }, + { + "source": "Heliconiinae", + "target": "Proclossiana_eunomia" + }, + { + "source": "Heliconiinae", + "target": "Boloria_graeca" + }, + { + "source": "Heliconiinae", + "target": "Clossiana_thore" + }, + { + "source": "Heliconiinae", + "target": "Clossiana_dia" + }, + { + "source": "Heliconiinae", + "target": "Clossiana_euphrosyne" + }, + { + "source": "Heliconiinae", + "target": "Clossiana_titania" + }, + { + "source": "Heliconiinae", + "target": "Clossiana_freija" + }, + { + "source": "Heliconiinae", + "target": "Clossiana_iphigenia" + }, + { + "source": "Heliconiinae", + "target": "Clossiana_chariclea" + }, + { + "source": "Riodinidae", + "target": "Nemeobiinae" + }, + { + "source": "Nemeobiinae", + "target": "Hamearis_lucina" + }, + { + "source": "Nemeobiinae", + "target": "Polycaena_tamerlana" + }, + { + "source": "Theclinae", + "target": "Favonius_quercus" + }, + { + "source": "Theclinae", + "target": "Tomares_ballus" + }, + { + "source": "Theclinae", + "target": "Tomares_nogelii" + }, + { + "source": "Theclinae", + "target": "Tomares_mauretanicus" + }, + { + "source": "Theclinae", + "target": "Tomares_romanovi" + }, + { + "source": "Theclinae", + "target": "Tomares_callimachus" + }, + { + "source": "Theclinae", + "target": "Chrysozephyrus_smaragdinus" + }, + { + "source": "Theclinae", + "target": "Ussuriana_micahaelis" + }, + { + "source": "Theclinae", + "target": "Coreana_raphaelis" + }, + { + "source": "Theclinae", + "target": "Japonica_saepestriata" + }, + { + "source": "Theclinae", + "target": "Thecla_betulae" + }, + { + "source": "Theclinae", + "target": "Artopoetes_pryeri" + }, + { + "source": "Theclinae", + "target": "Laeosopis_roboris" + }, + { + "source": "Theclinae", + "target": "Callophrys_rubi" + }, + { + "source": "Theclinae", + "target": "Satyrium_spini" + }, + { + "source": "Theclinae", + "target": "Satyrium_w-album" + }, + { + "source": "Theclinae", + "target": "Satyrium_ilicis" + }, + { + "source": "Theclinae", + "target": "Satyrium_pruni" + }, + { + "source": "Theclinae", + "target": "Satyrium_acaciae" + }, + { + "source": "Theclinae", + "target": "Satyrium_esculi" + }, + { + "source": "Theclinae", + "target": "Satyrium_ledereri" + }, + { + "source": "Theclinae", + "target": "Neolycaena_rhymnus" + }, + { + "source": "Theclinae", + "target": "Callophrys_avis" + }, + { + "source": "Theclinae", + "target": "Neolycaena_davidi" + }, + { + "source": "Aphnaeinae", + "target": "Cigaritis_cilissa" + }, + { + "source": "Aphnaeinae", + "target": "Cigaritis_siphax" + }, + { + "source": "Aphnaeinae", + "target": "Cigaritis_zohra" + }, + { + "source": "Aphnaeinae", + "target": "Cigaritis_allardi" + }, + { + "source": "Polyommatinae", + "target": "Celastrina_argiolus" + }, + { + "source": "Polyommatinae", + "target": "Zizeeria_knysna" + }, + { + "source": "Polyommatinae", + "target": "Pseudozizeeria_maha" + }, + { + "source": "Polyommatinae", + "target": "Tarucus_theophrastus" + }, + { + "source": "Polyommatinae", + "target": "Cyclyrius_webbianus" + }, + { + "source": "Polyommatinae", + "target": "Tarucus_balkanica" + }, + { + "source": "Polyommatinae", + "target": "Leptotes_pirithous" + }, + { + "source": "Polyommatinae", + "target": "Lampides_boeticus" + }, + { + "source": "Polyommatinae", + "target": "Azanus_jesous" + }, + { + "source": "Polyommatinae", + "target": "Zizeeria_karsandra" + }, + { + "source": "Polyommatinae", + "target": "Leptotes_pirthous" + }, + { + "source": "Polyommatinae", + "target": "Cupido_minimus" + }, + { + "source": "Polyommatinae", + "target": "Maculinea_rebeli" + }, + { + "source": "Polyommatinae", + "target": "Maculinea_arion" + }, + { + "source": "Polyommatinae", + "target": "Cupido_alcetas" + }, + { + "source": "Polyommatinae", + "target": "Cupido_lorquinii" + }, + { + "source": "Polyommatinae", + "target": "Cupido_osiris" + }, + { + "source": "Polyommatinae", + "target": "Cupido_argiades" + }, + { + "source": "Polyommatinae", + "target": "Cupido_decolorata" + }, + { + "source": "Polyommatinae", + "target": "Cupido_staudingeri" + }, + { + "source": "Polyommatinae", + "target": "Glaucopsyche_melanops" + }, + { + "source": "Polyommatinae", + "target": "Glaucopsyche_alexis" + }, + { + "source": "Polyommatinae", + "target": "Maculinea_alcon" + }, + { + "source": "Polyommatinae", + "target": "Maculinea_teleius" + }, + { + "source": "Polyommatinae", + "target": "Pseudophilotes_abencerragus" + }, + { + "source": "Polyommatinae", + "target": "Pseudophilotes_bavius" + }, + { + "source": "Polyommatinae", + "target": "Pseudophilotes_panoptes" + }, + { + "source": "Polyommatinae", + "target": "Pseudophilotes_vicrama" + }, + { + "source": "Polyommatinae", + "target": "Pseudophilotes_baton" + }, + { + "source": "Polyommatinae", + "target": "Maculinea_nausithous" + }, + { + "source": "Polyommatinae", + "target": "Scolitantides_orion" + }, + { + "source": "Polyommatinae", + "target": "Iolana_gigantea" + }, + { + "source": "Polyommatinae", + "target": "Iolana_iolas" + }, + { + "source": "Polyommatinae", + "target": "Plebejus_argus" + }, + { + "source": "Polyommatinae", + "target": "Plebejus_eversmanni" + }, + { + "source": "Polyommatinae", + "target": "Glaucopsyche_paphos" + }, + { + "source": "Polyommatinae", + "target": "Caerulea_coeli" + }, + { + "source": "Polyommatinae", + "target": "Glaucopsyche_astraea" + }, + { + "source": "Polyommatinae", + "target": "Afarsia_morgiana" + }, + { + "source": "Polyommatinae", + "target": "Plebejus_argyrognomon" + }, + { + "source": "Polyommatinae", + "target": "Agriades_optilete" + }, + { + "source": "Polyommatinae", + "target": "Alpherakya_devanica" + }, + { + "source": "Polyommatinae", + "target": "Plebejidea_loewii" + }, + { + "source": "Polyommatinae", + "target": "Plebejus_idas" + }, + { + "source": "Polyommatinae", + "target": "Kretania_trappi" + }, + { + "source": "Polyommatinae", + "target": "Kretania_pylaon" + }, + { + "source": "Polyommatinae", + "target": "Kretania_psylorita" + }, + { + "source": "Polyommatinae", + "target": "Kretania_martini" + }, + { + "source": "Polyommatinae", + "target": "Kretania_allardii" + }, + { + "source": "Polyommatinae", + "target": "Maurus_vogelii" + }, + { + "source": "Polyommatinae", + "target": "Plebejus_samudra" + }, + { + "source": "Polyommatinae", + "target": "Agriades_orbitulus" + }, + { + "source": "Polyommatinae", + "target": "Aricia_artaxerxes" + }, + { + "source": "Polyommatinae", + "target": "Pamiria_omphisa" + }, + { + "source": "Polyommatinae", + "target": "Pamiria_galathea" + }, + { + "source": "Polyommatinae", + "target": "Agriades_glandon" + }, + { + "source": "Polyommatinae", + "target": "Aricia_agestis" + }, + { + "source": "Polyommatinae", + "target": "Plebejus_maracandica" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_damon" + }, + { + "source": "Polyommatinae", + "target": "Aricia_montensis" + }, + { + "source": "Polyommatinae", + "target": "Eumedonia_eumedon" + }, + { + "source": "Polyommatinae", + "target": "Aricia_nicias" + }, + { + "source": "Polyommatinae", + "target": "Cyaniris_semiargus" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_dolus" + }, + { + "source": "Polyommatinae", + "target": "Aricia_isaurica" + }, + { + "source": "Polyommatinae", + "target": "Aricia_anteros" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_menalcas" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_antidolus" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_phyllis" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_iphidamon" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_damonides" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_poseidon" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_damone" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_ripartii" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_admetus" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_humedasae" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_dorylas" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_erschoffi" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_thersites" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_escheri" + }, + { + "source": "Polyommatinae", + "target": "Lysandra_bellargus" + }, + { + "source": "Polyommatinae", + "target": "Lysandra_coridon" + }, + { + "source": "Polyommatinae", + "target": "Lysandra_hispana" + }, + { + "source": "Polyommatinae", + "target": "Lysandra_albicans" + }, + { + "source": "Polyommatinae", + "target": "Lysandra_caelestissima" + }, + { + "source": "Polyommatinae", + "target": "Lysandra_punctifera" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_nivescens" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_aedon" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_myrrha" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_atys" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_icarus" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_caeruleus" + }, + { + "source": "Polyommatinae", + "target": "Glabroculus_elvira" + }, + { + "source": "Polyommatinae", + "target": "Glabroculus_cyane" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_elbursica" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_firdussii" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_stoliczkana" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_golgus" + }, + { + "source": "Polyommatinae", + "target": "Neolysandra_ellisoni" + }, + { + "source": "Polyommatinae", + "target": "Neolysandra_coelestina" + }, + { + "source": "Polyommatinae", + "target": "Neolysandra_corona" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_amandus" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_venus" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_daphnis" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_eros" + }, + { + "source": "Polyommatinae", + "target": "Polyommatus_celina" + }, + { + "source": "Polyommatinae", + "target": "Agriades_pheretiades" + }, + { + "source": "Polyommatinae", + "target": "Kretania_eurypilus" + }, + { + "source": "Polyommatinae", + "target": "Agriades_lehanus" + }, + { + "source": "Libytheinae", + "target": "Libythea_celtis" + }, + { + "source": "Danainae", + "target": "Danaus_plexippus" + }, + { + "source": "Danainae", + "target": "Danaus_chrysippus" + }, + { + "source": "Charaxinae", + "target": "Charaxes_jasius" + }, + { + "source": "Apaturinae", + "target": "Mimathyma_nycteis" + }, + { + "source": "Apaturinae", + "target": "Apatura_iris" + }, + { + "source": "Apaturinae", + "target": "Apatura_ilia" + }, + { + "source": "Apaturinae", + "target": "Apatura_metis" + }, + { + "source": "Apaturinae", + "target": "Euapatura_mirza" + }, + { + "source": "Apaturinae", + "target": "Hestina_japonica" + }, + { + "source": "Apaturinae", + "target": "Timelaea_albescens" + }, + { + "source": "Apaturinae", + "target": "Mimathyma_schrenckii" + }, + { + "source": "Apaturinae", + "target": "Thaleropis_ionia" + }, + { + "source": "Limenitidinae", + "target": "Limenitis_reducta" + }, + { + "source": "Limenitidinae", + "target": "Limenitis_populi" + }, + { + "source": "Limenitidinae", + "target": "Limenitis_camilla" + }, + { + "source": "Limenitidinae", + "target": "Parasarpa_albomaculata" + }, + { + "source": "Limenitidinae", + "target": "Limenitis_sydyi" + }, + { + "source": "Limenitidinae", + "target": "Lelecella_limenitoides" + }, + { + "source": "Limenitidinae", + "target": "Neptis_sappho" + }, + { + "source": "Limenitidinae", + "target": "Neptis_alwina" + }, + { + "source": "Limenitidinae", + "target": "Neptis_rivularis" + }, + { + "source": "Limenitidinae", + "target": "Athyma_punctata" + }, + { + "source": "Limenitidinae", + "target": "Athyma_perius" + }, + { + "source": "Limenitidinae", + "target": "Neptis_pryeri" + } + ] +} \ No newline at end of file diff --git a/data/visualize_graph/viz.html b/data/visualize_graph/viz.html new file mode 100644 index 0000000..79e81d8 --- /dev/null +++ b/data/visualize_graph/viz.html @@ -0,0 +1,7498 @@ + + + + + + + diff --git a/network/ethec_experiments.py b/network/ethec_experiments.py new file mode 100644 index 0000000..80259cf --- /dev/null +++ b/network/ethec_experiments.py @@ -0,0 +1,220 @@ +from __future__ import print_function +from __future__ import division +import torch +import torch.nn as nn +import torch.optim as optim +import torchvision +from torchvision import datasets, models, transforms + +import os +from network.experiment import Experiment, WeightedResampler +from network.evaluation import MultiLabelEvaluation, Evaluation, MultiLabelEvaluationSingleThresh, MultiLevelEvaluation +from network.finetuner import CIFAR10 + +from data.db import ETHECLabelMap, Rescale, ToTensor, Normalize, ColorJitter, RandomHorizontalFlip, RandomCrop, \ + ToPILImage, ETHECDB, ETHECDBMerged, ETHECLabelMapMerged, ETHECLabelMapMergedSmall, ETHECDBMergedSmall +from network.loss import MultiLevelCELoss, MultiLabelSMLoss + +from PIL import Image +import numpy as np + +import copy +import argparse +import json +import git + + +class ETHECExperiment(CIFAR10): + def __init__(self, data_loaders, labelmap, criterion, lr, + batch_size, + evaluator, + experiment_name, + experiment_dir='../exp/', + n_epochs=10, + eval_interval=2, + feature_extracting=True, + use_pretrained=True, + load_wt=False, + model_name=None, + optimizer_method='adam'): + CIFAR10.__init__(self, data_loaders, labelmap, criterion, lr, batch_size, evaluator, experiment_name, + experiment_dir, n_epochs, eval_interval, feature_extracting, use_pretrained, + load_wt, model_name, optimizer_method) + self.model = nn.DataParallel(self.model) + + +def ETHEC_train_model(arguments): + if not os.path.exists(os.path.join(arguments.experiment_dir, arguments.experiment_name)): + os.makedirs(os.path.join(arguments.experiment_dir, arguments.experiment_name)) + args_dict = vars(arguments) + repo = git.Repo(search_parent_directories=True) + args_dict['commit_hash'] = repo.head.object.hexsha + args_dict['branch'] = repo.active_branch.name + with open(os.path.join(arguments.experiment_dir, arguments.experiment_name, 'config_params.txt'), 'w') as file: + file.write(json.dumps(args_dict, indent=4)) + + print('Config parameters for this run are:\n{}'.format(json.dumps(vars(arguments), indent=4))) + + # initial_crop = 324 + input_size = 224 + labelmap = ETHECLabelMap() + if arguments.merged: + labelmap = ETHECLabelMapMerged() + if arguments.debug: + labelmap = ETHECLabelMapMergedSmall() + + train_data_transforms = transforms.Compose([transforms.ToPILImage(), + transforms.Resize((input_size, input_size)), + # RandomCrop((input_size, input_size)), + transforms.RandomHorizontalFlip(), + # ColorJitter(brightness=0.2, contrast=0.2), + transforms.ToTensor(), + # transforms.Normalize(mean=(143.2341, 162.8151, 177.2185), + # std=(66.7762, 59.2524, 51.5077)) + ]) + val_test_data_transforms = transforms.Compose([transforms.ToPILImage(), + transforms.Resize((input_size, input_size)), + transforms.ToTensor(), + # transforms.Normalize(mean=(143.2341, 162.8151, 177.2185), + # std=(66.7762, 59.2524, 51.5077)) + ]) + + if not arguments.merged: + train_set = ETHECDB(path_to_json='../database/ETHEC/train.json', + path_to_images=arguments.image_dir, + labelmap=labelmap, transform=train_data_transforms) + val_set = ETHECDB(path_to_json='../database/ETHEC/val.json', + path_to_images=arguments.image_dir, + labelmap=labelmap, transform=val_test_data_transforms) + test_set = ETHECDB(path_to_json='../database/ETHEC/test.json', + path_to_images=arguments.image_dir, + labelmap=labelmap, transform=val_test_data_transforms) + elif not arguments.debug: + train_set = ETHECDBMerged(path_to_json='../database/ETHEC/train.json', + path_to_images=arguments.image_dir, + labelmap=labelmap, transform=train_data_transforms) + val_set = ETHECDBMerged(path_to_json='../database/ETHEC/val.json', + path_to_images=arguments.image_dir, + labelmap=labelmap, transform=val_test_data_transforms) + test_set = ETHECDBMerged(path_to_json='../database/ETHEC/test.json', + path_to_images=arguments.image_dir, + labelmap=labelmap, transform=val_test_data_transforms) + else: + labelmap = ETHECLabelMapMergedSmall(single_level=False) + train_set = ETHECDBMergedSmall(path_to_json='../database/ETHEC/train.json', + path_to_images=arguments.image_dir, + labelmap=labelmap, transform=train_data_transforms) + val_set = ETHECDBMergedSmall(path_to_json='../database/ETHEC/val.json', + path_to_images=arguments.image_dir, + labelmap=labelmap, transform=val_test_data_transforms) + test_set = ETHECDBMergedSmall(path_to_json='../database/ETHEC/test.json', + path_to_images=arguments.image_dir, + labelmap=labelmap, transform=val_test_data_transforms) + + print('Dataset has following splits: train: {}, val: {}, test: {}'.format(len(train_set), len(val_set), + len(test_set))) + + batch_size = arguments.batch_size + n_workers = arguments.n_workers + + if arguments.debug: + print("== Running in DEBUG mode!") + trainloader = torch.utils.data.DataLoader(train_set, + batch_size=batch_size, + num_workers=n_workers, + shuffle=True if arguments.class_weights else False, + sampler=None if arguments.class_weights else WeightedResampler( + train_set, weight_strategy=arguments.weight_strategy)) + + valloader = torch.utils.data.DataLoader(val_set, + batch_size=batch_size, + shuffle=False, num_workers=n_workers) + + testloader = torch.utils.data.DataLoader(test_set, + batch_size=batch_size, + shuffle=False, num_workers=n_workers) + + data_loaders = {'train': trainloader, 'val': valloader, 'test': testloader} + + else: + trainloader = torch.utils.data.DataLoader(train_set, + batch_size=batch_size, + num_workers=n_workers, + shuffle=True if arguments.class_weights else False, + sampler=None if arguments.class_weights else WeightedResampler( + train_set, weight_strategy=arguments.weight_strategy)) + valloader = torch.utils.data.DataLoader(val_set, + batch_size=batch_size, + shuffle=False, num_workers=n_workers) + testloader = torch.utils.data.DataLoader(test_set, + batch_size=batch_size, + shuffle=False, num_workers=n_workers) + + data_loaders = {'train': trainloader, 'val': valloader, 'test': testloader} + + weight = None + if arguments.class_weights: + n_train = torch.zeros(labelmap.n_classes) + for data_item in data_loaders['train']: + n_train += torch.sum(data_item['labels'], 0) + weight = 1.0/n_train + + eval_type = MultiLabelEvaluation(os.path.join(arguments.experiment_dir, arguments.experiment_name), labelmap) + if arguments.evaluator == 'MLST': + eval_type = MultiLabelEvaluationSingleThresh(os.path.join(arguments.experiment_dir, arguments.experiment_name), + labelmap) + + use_criterion = None + if arguments.loss == 'multi_label': + use_criterion = MultiLabelSMLoss(weight=weight) + elif arguments.loss == 'multi_level': + use_criterion = MultiLevelCELoss(labelmap=labelmap, weight=weight) + eval_type = MultiLevelEvaluation(os.path.join(arguments.experiment_dir, arguments.experiment_name), labelmap) + + ETHEC_trainer = ETHECExperiment(data_loaders=data_loaders, labelmap=labelmap, + criterion=use_criterion, + lr=arguments.lr, + batch_size=batch_size, evaluator=eval_type, + experiment_name=arguments.experiment_name, # 'cifar_test_ft_multi', + experiment_dir=arguments.experiment_dir, + eval_interval=arguments.eval_interval, + n_epochs=arguments.n_epochs, + feature_extracting=arguments.freeze_weights, + use_pretrained=True, + load_wt=False, + model_name=arguments.model, + optimizer_method=arguments.optimizer_method) + ETHEC_trainer.prepare_model() + if arguments.set_mode == 'train': + ETHEC_trainer.train() + elif arguments.set_mode == 'test': + ETHEC_trainer.test() + + +if __name__ == '__main__': + parser = argparse.ArgumentParser() + parser.add_argument("--debug", help='Use DEBUG mode.', action='store_true') + parser.add_argument("--lr", help='Input learning rate.', type=float, default=0.001) + parser.add_argument("--batch_size", help='Batch size.', type=int, default=8) + parser.add_argument("--evaluator", help='Evaluator type.', type=str, default='ML') + parser.add_argument("--experiment_name", help='Experiment name.', type=str, required=True) + parser.add_argument("--experiment_dir", help='Experiment directory.', type=str, required=True) + parser.add_argument("--image_dir", help='Image parent directory.', type=str, required=True) + parser.add_argument("--n_epochs", help='Number of epochs to run training for.', type=int, required=True) + parser.add_argument("--n_workers", help='Number of workers.', type=int, default=4) + parser.add_argument("--eval_interval", help='Evaluate model every N intervals.', type=int, default=1) + parser.add_argument("--resume", help='Continue training from last checkpoint.', action='store_true') + parser.add_argument("--optimizer_method", help='[adam, sgd]', type=str, default='adam') + parser.add_argument("--merged", help='Use dataset which has genus and species combined.', action='store_true') + parser.add_argument("--weight_strategy", help='Use inverse freq or inverse sqrt freq. ["inv", "inv_sqrt"]', + type=str, default='inv') + parser.add_argument("--model", help='NN model to use. Use one of [`multi_label`, `multi_level`]', + type=str, required=True) + parser.add_argument("--loss", help='Loss function to use.', type=str, required=True) + parser.add_argument("--class_weights", help='Re-weigh the loss function based on inverse class freq.', action='store_true') + parser.add_argument("--freeze_weights", help='This flag fine tunes only the last layer.', action='store_true') + parser.add_argument("--set_mode", help='If use training or testing mode (loads best model).', type=str, + required=True) + args = parser.parse_args() + + ETHEC_train_model(args) diff --git a/network/evaluation.py b/network/evaluation.py new file mode 100644 index 0000000..b9bc196 --- /dev/null +++ b/network/evaluation.py @@ -0,0 +1,627 @@ +from sklearn.metrics import precision_recall_curve +from sklearn.metrics import average_precision_score, precision_score, recall_score, f1_score, confusion_matrix +import matplotlib +matplotlib.use('Agg') + +import matplotlib.pyplot as plt +from matplotlib.ticker import NullFormatter +import os +import numpy as np +from network.summarize import Summarize + +import torch + + +class Evaluation: + + def __init__(self, experiment_directory, classes, generate_plots=False): + self.classes = classes + self.generate_plots = generate_plots + self.make_dir_if_non_existent(experiment_directory) + self.experiment_directory = experiment_directory + self.summarizer = None + + def enable_plotting(self): + self.generate_plots = True + + def disable_plotting(self): + self.generate_plots = False + + @staticmethod + def make_dir_if_non_existent(dir): + if not os.path.exists(dir): + os.makedirs(dir) + + def evaluate(self, predicted_scores, correct_labels, epoch, phase, save_to_tensorboard, samples_split): + if phase in ['val', 'test']: + self.make_dir_if_non_existent(os.path.join(self.experiment_directory, 'stats', + ('best_' if not save_to_tensorboard else '') + phase + str(epoch))) + self.summarizer = Summarize(os.path.join(self.experiment_directory, 'stats', + ('best_' if not save_to_tensorboard else '') + phase + str(epoch))) + self.summarizer.make_heading('Classification Summary - Epoch {} {}'.format(epoch, phase), 1) + + mAP, precision, recall, average_precision, thresholds = self.make_curves(predicted_scores, + correct_labels, epoch, phase) + + return mAP, precision, recall, average_precision, thresholds + + def top_k(self, predicted_scores, correct_labels, k=10): + correct_labels_oh = np.zeros_like(predicted_scores) + correct_labels_oh[np.arange(correct_labels.shape[0]), correct_labels] = 1 + + for cid in range(predicted_scores.shape[1]): + sorted_indices = np.argsort((correct_labels_oh[:, cid] - 0.5) * predicted_scores[:, cid]) + + best_top_k = sorted_indices[:k] + worst_top_k = sorted_indices[k:] + + def make_curves(self, predicted_scores, correct_labels, epoch, phase): + print('-' * 30) + print('Running evaluation for {} at epoch {}'.format(phase, epoch)) + assert predicted_scores.shape[0] == correct_labels.shape[0], \ + 'Number of predicitions ({}) and labels ({}) do not match'.format(predicted_scores.shape[0], + correct_labels.shape[0]) + precision = dict() + recall = dict() + thresholds = dict() + average_precision = dict() + f1 = dict() + + def get_f1score(p, r): + p, r = np.array(p), np.array(r) + return (p * r) * 2 / (p + r + 1e-6) + + # calculate metrics for different values of thresholds + for class_index, class_name in enumerate(self.classes): + precision[class_name], recall[class_name], thresholds[class_name] = precision_recall_curve( + correct_labels == class_index, predicted_scores[:, class_index]) + f1[class_name] = get_f1score(precision[class_name], recall[class_name]) + + average_precision[class_name] = average_precision_score(correct_labels == class_index, + predicted_scores[:, class_index]) + + if phase in ['val', 'test'] and self.generate_plots: + self.plot_prec_recall_vs_thresh(precision[class_name], recall[class_name], + thresholds[class_name], f1[class_name], + class_name) + self.make_dir_if_non_existent(os.path.join(self.experiment_directory, phase, class_name)) + save_fig_to = os.path.join(self.experiment_directory, phase, class_name, + 'prec_recall_{}_{}.png'.format(epoch, class_name)) + plt.savefig(save_fig_to) + plt.clf() + self.summarizer.make_heading('Precision Recall `{}` ({})'.format(class_name, phase), 3) + self.summarizer.make_image(save_fig_to, 'Precision Recall {}'.format(class_name)) + print('Average precision for {} is {}'.format(class_name, average_precision[class_name])) + + mAP = sum([average_precision[class_name] for class_name in self.classes]) / len(average_precision) + print('Mean average precision is {}'.format(mAP)) + + if phase in ['val', 'test']: + # make table with global metrics + self.summarizer.make_heading('Class-wise Metrics', 2) + self.summarizer.make_text('Mean average precision is {}'.format(mAP)) + + x_labels = [class_name for class_name in self.classes] + y_labels = ['Average Precision (across thresholds)', 'Precision', 'Recall', 'f1-score'] + data = [[average_precision[class_name] for class_name in self.classes]] + c_wise_prec = precision_score(correct_labels, np.argmax(predicted_scores, axis=1), average=None) + data.append(c_wise_prec.tolist()) + c_wise_rec = recall_score(correct_labels, np.argmax(predicted_scores, axis=1), average=None) + data.append(c_wise_rec.tolist()) + c_wise_f1 = f1_score(correct_labels, np.argmax(predicted_scores, axis=1), average=None) + data.append(c_wise_f1.tolist()) + + self.summarizer.make_table(data, x_labels, y_labels) + + return mAP, precision, recall, average_precision, thresholds + + @staticmethod + def plot_prec_recall_vs_thresh(precisions, recalls, thresholds, f1_score, class_name): + plt.plot(thresholds, precisions[:-1], 'b:', label='precision') + plt.plot(thresholds, recalls[:-1], 'r:', label='recall') + plt.plot(thresholds, f1_score[:-1], 'g:', label='f1-score') + plt.xlabel('Threshold') + plt.legend(loc='upper left') + plt.title('Precision and recall vs. threshold for {}'.format(class_name)) + plt.ylim([0, 1]) + + +class Metrics: + def __init__(self, predicted_labels, correct_labels): + self.predicted_labels = predicted_labels + self.correct_labels = correct_labels + self.n_labels = correct_labels.shape[1] + self.precision = dict() + self.recall = dict() + self.f1 = dict() + + self.cmat = dict() + + self.thresholds = dict() + self.average_precision = dict() + + self.top_f1_score = dict() + + self.macro_scores = {'precision': 0.0, 'recall': 0.0, 'f1': 0.0} + self.micro_scores = {'precision': 0.0, 'recall': 0.0, 'f1': 0.0} + + def calculate_basic_metrics(self, list_of_indices): + + for label_ix in list_of_indices: + + self.precision[label_ix] = precision_score(self.correct_labels[:, label_ix], + self.predicted_labels[:, label_ix]) + self.recall[label_ix] = recall_score(self.correct_labels[:, label_ix], + self.predicted_labels[:, label_ix]) + self.f1[label_ix] = f1_score(self.correct_labels[:, label_ix], + self.predicted_labels[:, label_ix]) + self.cmat[label_ix] = confusion_matrix(self.correct_labels[:, label_ix], + self.predicted_labels[:, label_ix]) + + for metric in ['precision', 'recall', 'f1']: + self.macro_scores[metric] = 1.0 * sum([getattr(self, metric)[label_ix] + for label_ix in list_of_indices]) / len(list_of_indices) + combined_cmat = np.array([[0, 0], [0, 0]]) + temp = 0 + for label_ix in list_of_indices: + temp += self.cmat[label_ix][0][0] + combined_cmat += self.cmat[label_ix] + + self.micro_scores['precision'] = 1.0 * combined_cmat[1][1] / (combined_cmat[1][1] + combined_cmat[0][1]) + self.micro_scores['recall'] = 1.0 * combined_cmat[1][1] / (combined_cmat[1][1] + combined_cmat[1][0]) + self.micro_scores['f1'] = 2 * self.micro_scores['precision'] * self.micro_scores['recall'] / ( + self.micro_scores['precision'] + self.micro_scores['recall']) + + return {'macro': self.macro_scores, 'micro': self.micro_scores, 'precision': self.precision, + 'recall': self.recall, 'f1': self.f1, 'cmat': self.cmat} + + +class MultiLabelEvaluation(Evaluation): + + def __init__(self, experiment_directory, labelmap, optimal_thresholds=None, generate_plots=False): + Evaluation.__init__(self, experiment_directory, labelmap.classes, generate_plots) + self.labelmap = labelmap + self.predicted_labels = None + if optimal_thresholds is None: + self.optimal_thresholds = np.zeros(self.labelmap.n_classes) + else: + self.optimal_thresholds = optimal_thresholds + + def evaluate(self, predicted_scores, correct_labels, epoch, phase, save_to_tensorboard, samples_split): + if phase in ['val', 'test']: + self.make_dir_if_non_existent(os.path.join(self.experiment_directory, 'stats', + ('best_' if not save_to_tensorboard else '') + phase + str(epoch))) + self.summarizer = Summarize(os.path.join(self.experiment_directory, 'stats', + ('best_' if not save_to_tensorboard else '') + phase + str(epoch))) + self.summarizer.make_heading('Classification Summary - Epoch {} {}'.format(epoch, phase), 1) + + mAP, precision, recall, average_precision, thresholds = self.make_curves(predicted_scores, + correct_labels, epoch, phase) + + self.predicted_labels = predicted_scores >= np.tile(self.optimal_thresholds, (correct_labels.shape[0], 1)) + + classes_predicted_per_sample = np.sum(self.predicted_labels, axis=1) + print("Max: {}".format(np.max(classes_predicted_per_sample))) + print("Min: {}".format(np.min(classes_predicted_per_sample))) + print("Mean: {}".format(np.mean(classes_predicted_per_sample))) + print("std: {}".format(np.std(classes_predicted_per_sample))) + + level_stop, level_start = [], [] + for level_id, level_len in enumerate(self.labelmap.levels): + if level_id == 0: + level_start.append(0) + level_stop.append(level_len) + else: + level_start.append(level_stop[level_id - 1]) + level_stop.append(level_stop[level_id - 1] + level_len) + + level_wise_metrics = {} + + metrics_calculator = Metrics(self.predicted_labels, correct_labels) + global_metrics = metrics_calculator.calculate_basic_metrics(list(range(0, self.labelmap.n_classes))) + + for level_id in range(len(level_start)): + metrics_calculator = MetricsMultiLevel(self.predicted_labels, correct_labels) + level_wise_metrics[self.labelmap.level_names[level_id]] = metrics_calculator.calculate_basic_metrics( + list(range(level_start[level_id], level_stop[level_id])) + ) + + if phase in ['val', 'test']: + # global metrics + self.summarizer.make_heading('Global Metrics', 2) + self.summarizer.make_table( + data=[[global_metrics[score_type][score] for score in ['precision', 'recall', 'f1']] for score_type in + ['macro', 'micro']], + x_labels=['Precision', 'Recall', 'F1'], y_labels=['Macro', 'Micro']) + + self.summarizer.make_heading('Class-wise Metrics', 2) + self.summarizer.make_table( + data=[[global_metrics['precision'][label_ix], global_metrics['recall'][label_ix], + global_metrics['f1'][label_ix], samples_split['train'][label_ix], samples_split['val'][label_ix], + samples_split['test'][label_ix]] for label_ix in range(self.labelmap.n_classes)], + x_labels=['Precision', 'Recall', 'F1', 'train freq', 'val freq', 'test freq'], + y_labels=self.labelmap.classes) + + # level wise metrics + for level_id, metrics_key in enumerate(level_wise_metrics): + metrics = level_wise_metrics[metrics_key] + self.summarizer.make_heading('{} Metrics'.format(metrics_key), 2) + self.summarizer.make_table( + data=[[metrics[score_type][score] for score in ['precision', 'recall', 'f1']] for score_type in + ['macro', 'micro']], + x_labels=['Precision', 'Recall', 'F1'], y_labels=['Macro', 'Micro']) + + self.summarizer.make_heading('Class-wise Metrics', 2) + self.summarizer.make_table( + data=[[global_metrics['precision'][label_ix], global_metrics['recall'][label_ix], + global_metrics['f1'][label_ix], int(samples_split['train'][label_ix]), + int(samples_split['val'][label_ix]), int(samples_split['test'][label_ix])] + for label_ix in range(level_start[level_id], level_stop[level_id])], + x_labels=['Precision', 'Recall', 'F1', 'train freq', 'val freq', 'test freq'], + y_labels=self.labelmap.classes[level_start[level_id]:level_stop[level_id]]) + + if self.generate_plots: + score_vs_freq = [(global_metrics['f1'][label_ix], int(samples_split['train'][label_ix])) + for label_ix in range(level_start[level_id], level_stop[level_id])] + self.make_score_vs_freq_hist(score_vs_freq, + os.path.join(self.experiment_directory, 'stats', + ('best_' if not save_to_tensorboard else '') + phase + + str(epoch)), + '{} {}'.format(self.labelmap.level_names[level_id], 'F1')) + + return global_metrics + + def make_score_vs_freq_hist(self, score_vs_freq, path_to_save, plot_title): + x = np.array([sf[1] for sf in score_vs_freq]) + y = np.array([sf[0] for sf in score_vs_freq]) + + nullfmt = NullFormatter() # no labels + + # definitions for the axes + left, width = 0.1, 0.65 + bottom, height = 0.1, 0.65 + bottom_h = left_h = left + width + 0.05 + + rect_scatter = [left, bottom, width, height] + rect_histx = [left, bottom_h, width, 0.17] + rect_histy = [left_h, bottom, 0.17, height] + + # start with a rectangular Figure + plt.figure(1, figsize=(8, 8)) + + axScatter = plt.axes(rect_scatter) + axHistx = plt.axes(rect_histx) + axHisty = plt.axes(rect_histy) + + # axHistx.get_xaxis().set_major_formatter(plt.NullFormatter()) + + # the scatter plot: + axScatter.scatter(x, y) + axScatter.set_xscale('log') + axScatter.set_xlabel('Training data size') + axScatter.set_ylabel('Score') + axScatter.set_ylim((0.0, 1.0)) + + axHistx.set_xscale('log') + axHistx.set_yscale('linear') + + axHisty.set_yscale('linear') + axHisty.set_xscale('linear') + + # bins = np.arange(-lim, lim + binwidth, binwidth) + _, bins = np.histogram(np.log10(x + 1), bins=50) + axHistx.hist(x, bins=10 ** bins) + axHisty.hist(y, bins=50, orientation='horizontal') + + axHistx.set_xlim(axScatter.get_xlim()) + axHisty.set_ylim(axScatter.get_ylim()) + + # no labels + # axHistx.xaxis.set_major_formatter(nullfmt) + # axHisty.yaxis.set_major_formatter(nullfmt) + + save_fig_to = os.path.join(path_to_save, '{}_performance_vs_frequency.pdf'.format(plot_title)) + plt.savefig(save_fig_to, format='pdf') + plt.clf() + + def get_optimal_thresholds(self): + return self.optimal_thresholds + + def set_optimal_thresholds(self, best_f1_score): + for class_ix, class_name in enumerate(self.labelmap.classes): + self.optimal_thresholds[class_ix] = best_f1_score[class_name]['best_thresh'] + + @staticmethod + def get_f1score(p, r): + p, r = np.array(p), np.array(r) + return (p * r) * 2 / (p + r + 1e-6) + + def calculate_metrics(self, precision, recall, f1, average_precision, top_f1_score, thresholds, class_name, phase, + correct_labels, predicted_scores, epoch): + + precision[class_name], recall[class_name], thresholds[class_name] = precision_recall_curve( + correct_labels, predicted_scores) + f1[class_name] = self.get_f1score(precision[class_name], recall[class_name]) + + average_precision[class_name] = average_precision_score(correct_labels, predicted_scores) + + if phase in ['val']: + best_f1_ix = np.argmax(f1[class_name]) + best_thresh = thresholds[class_name][best_f1_ix] + top_f1_score[class_name] = {'best_thresh': best_thresh, 'f1_score@thresh': f1[class_name][best_f1_ix], + 'thresh_ix': best_f1_ix} + + if self.generate_plots: + self.plot_prec_recall_vs_thresh(precision[class_name], recall[class_name], + thresholds[class_name], f1[class_name], + class_name) + self.make_dir_if_non_existent(os.path.join(self.experiment_directory, phase, class_name)) + save_fig_to = os.path.join(self.experiment_directory, phase, class_name, + 'prec_recall_{}_{}.png'.format(epoch, class_name)) + plt.savefig(save_fig_to) + plt.clf() + self.summarizer.make_heading('Precision Recall `{}` ({})'.format(class_name, phase), 3) + self.summarizer.make_image(save_fig_to, 'Precision Recall {}'.format(class_name)) + + return precision, recall, f1, average_precision, thresholds, top_f1_score + + def make_curves(self, predicted_scores, correct_labels, epoch, phase): + if phase in ['val', 'test']: + self.summarizer.make_heading('Data Distribution', 2) + self.summarizer.make_table([[int(np.sum(correct_labels[:, class_ix])) + for class_ix in range(self.labelmap.n_classes)]], + x_labels=self.labelmap.classes) + + print('-' * 30) + print('Running evaluation for {} at epoch {}'.format(phase, epoch)) + assert predicted_scores.shape[0] == correct_labels.shape[0], \ + 'Number of predictions ({}) and labels ({}) do not match'.format(predicted_scores.shape[0], + correct_labels.shape[0]) + + precision = dict() + recall = dict() + thresholds = dict() + average_precision = dict() + f1 = dict() + top_f1_score = dict() + + # calculate metrics for different values of thresholds + for class_index, class_name in enumerate(self.classes): + precision, recall, f1, average_precision, thresholds, top_f1_score = self.calculate_metrics(precision, recall, f1, average_precision, top_f1_score, thresholds, class_name, phase, correct_labels[:, class_index], predicted_scores[:, class_index], epoch) + + level_begin_ix = 0 + for level_ix, level_name in enumerate(self.labelmap.level_names): + mAP = sum([average_precision[class_name] + for class_name in self.classes[level_begin_ix:level_begin_ix + self.labelmap.levels[level_ix]]]) \ + / self.labelmap.levels[level_ix] + level_begin_ix += self.labelmap.levels[level_ix] + + if phase in ['val']: + self.make_table_with_metrics(mAP, precision, recall, top_f1_score, self.classes, correct_labels) + self.set_optimal_thresholds(top_f1_score) + + return mAP, precision, recall, average_precision, thresholds + + def make_table_with_metrics(self, mAP, precision, recall, top_f1_score, class_names, correct_labels): + # make table with global metrics + self.summarizer.make_heading('Class-wise Metrics', 2) + if mAP is not None: + self.summarizer.make_text('Mean average precision is {}'.format(mAP)) + + y_labels = [class_name for class_name in class_names] + x_labels = ['Precision@BF1', 'Recall@BF1', 'Best f1-score', 'Best thresh', 'freq'] + data = [] + for class_index, class_name in enumerate(class_names): + per_class_metrics = [precision[class_name][top_f1_score[class_name]['thresh_ix']], + recall[class_name][top_f1_score[class_name]['thresh_ix']], + top_f1_score[class_name]['f1_score@thresh'], + top_f1_score[class_name]['best_thresh'], + 0 if correct_labels is None else int(np.sum(correct_labels[:, class_index]))] + data.append(per_class_metrics) + + self.summarizer.make_table(data, x_labels, y_labels) + + +class MultiLabelEvaluationSingleThresh(MultiLabelEvaluation): + + def __init__(self, experiment_directory, labelmap, optimal_thresholds=None, generate_plots=False): + MultiLabelEvaluation.__init__(self, experiment_directory, labelmap, optimal_thresholds, generate_plots) + + def make_curves(self, predicted_scores, correct_labels, epoch, phase): + if phase in ['val', 'test']: + self.summarizer.make_heading('Data Distribution', 2) + self.summarizer.make_table([[int(np.sum(correct_labels[:, class_ix])) + for class_ix in range(self.labelmap.n_classes)]], + x_labels=self.labelmap.classes) + + print('-' * 30) + print('Running evaluation for {} at epoch {}'.format(phase, epoch)) + assert predicted_scores.shape[0] == correct_labels.shape[0], \ + 'Number of predictions ({}) and labels ({}) do not match'.format(predicted_scores.shape[0], + correct_labels.shape[0]) + + precision_c = dict() + recall_c = dict() + thresholds_c = dict() + average_precision_c = dict() + f1_c = dict() + top_f1_score_c = dict() + + # calculate metrics for different values of thresholds + precision_c, recall_c, f1_c, average_precision_c, thresholds_c, top_f1_score_c = \ + self.calculate_metrics(precision_c, recall_c, f1_c, average_precision_c, top_f1_score_c, thresholds_c, + 'all_classes', phase, + correct_labels.flatten(), predicted_scores.flatten(), epoch) + + mAP_c = average_precision_c['all_classes'] + + if phase in ['val']: + self.make_table_with_metrics(mAP_c, precision_c, recall_c, top_f1_score_c, ['all_classes'], None) + self.set_optimal_thresholds(top_f1_score_c) + + return mAP_c, precision_c, recall_c, average_precision_c, thresholds_c + + def set_optimal_thresholds(self, best_f1_score): + for class_ix, class_name in enumerate(self.labelmap.classes): + self.optimal_thresholds[class_ix] = best_f1_score['all_classes']['best_thresh'] + + +class MetricsMultiLevel: + def __init__(self, predicted_labels, correct_labels): + self.predicted_labels = predicted_labels + self.correct_labels = correct_labels + self.n_labels = correct_labels.shape[1] + self.precision = dict() + self.recall = dict() + self.f1 = dict() + + self.cmat = dict() + + self.thresholds = dict() + self.average_precision = dict() + + self.top_f1_score = dict() + + self.macro_scores = {'precision': 0.0, 'recall': 0.0, 'f1': 0.0} + self.micro_scores = {'precision': 0.0, 'recall': 0.0, 'f1': 0.0} + + def calculate_basic_metrics(self, list_of_indices): + + for label_ix in list_of_indices: + + self.cmat[label_ix] = confusion_matrix(self.correct_labels[:, label_ix], + self.predicted_labels[:, label_ix]) + if self.cmat[label_ix].ravel().shape == (1, ): + if np.all(np.array(self.predicted_labels[:, label_ix])): + self.cmat[label_ix] = np.array([[0, 0], [0, self.cmat[label_ix][0][0]]]) + else: + self.cmat[label_ix] = np.array([[self.cmat[label_ix][0][0], 0], [0, 0]]) + + tn, fp, fn, tp = self.cmat[label_ix].ravel() + if tp == 0 and fp == 0 and fn == 0: + self.precision[label_ix] = 1.0 + self.recall[label_ix] = 1.0 + self.f1[label_ix] = 1.0 + elif tp == 0 and (fp > 0 or fn > 0): + self.precision[label_ix] = 0.0 + self.recall[label_ix] = 0.0 + self.f1[label_ix] = 0.0 + else: + self.precision[label_ix] = 1.0 * tp/(tp + fp) + self.recall[label_ix] = 1.0 * tp/(tp + fn) + self.f1[label_ix] = 2 * self.precision[label_ix] * self.recall[label_ix] /\ + (self.precision[label_ix] + self.recall[label_ix]) + + for metric in ['precision', 'recall', 'f1']: + self.macro_scores[metric] = 1.0 * sum([getattr(self, metric)[label_ix] + for label_ix in list_of_indices]) / len(list_of_indices) + combined_cmat = np.array([[0, 0], [0, 0]]) + temp = 0 + for label_ix in list_of_indices: + temp += self.cmat[label_ix][0][0] + combined_cmat += self.cmat[label_ix] + + self.micro_scores['precision'] = 1.0 * combined_cmat[1][1] / (combined_cmat[1][1] + combined_cmat[0][1]) + self.micro_scores['recall'] = 1.0 * combined_cmat[1][1] / (combined_cmat[1][1] + combined_cmat[1][0]) + self.micro_scores['f1'] = 2 * self.micro_scores['precision'] * self.micro_scores['recall'] / ( + self.micro_scores['precision'] + self.micro_scores['recall']) + + return {'macro': self.macro_scores, 'micro': self.micro_scores, 'precision': self.precision, + 'recall': self.recall, 'f1': self.f1, 'cmat': self.cmat} + + +class MultiLevelEvaluation(MultiLabelEvaluation): + def __init__(self, experiment_directory, labelmap=None, generate_plots=False): + MultiLabelEvaluation.__init__(self, experiment_directory, labelmap, None, generate_plots) + self.labelmap = labelmap + self.predicted_labels = None + + def evaluate(self, predicted_scores, correct_labels, epoch, phase, save_to_tensorboard, samples_split): + if phase in ['val', 'test']: + self.make_dir_if_non_existent(os.path.join(self.experiment_directory, 'stats', + ('best_' if not save_to_tensorboard else '') + phase + str(epoch))) + self.summarizer = Summarize(os.path.join(self.experiment_directory, 'stats', + ('best_' if not save_to_tensorboard else '') + phase + str(epoch))) + self.summarizer.make_heading('Classification Summary - Epoch {} {}'.format(epoch, phase), 1) + + predicted_scores = torch.from_numpy(predicted_scores) + self.predicted_labels = np.zeros_like(predicted_scores) + for level_id, level_name in enumerate(self.labelmap.level_names): + start = sum([self.labelmap.levels[l_id] for l_id in range(level_id)]) + predicted_scores_part = predicted_scores[:, start:start+self.labelmap.levels[level_id]] + # correct_labels_part = correct_labels[:, level_id] + _, winning_indices = torch.max(predicted_scores_part, 1) + + self.predicted_labels[[row_ind for row_ind in range(winning_indices.shape[0])], winning_indices+start] = 1 + + # mAP, precision, recall, average_precision, thresholds = self.make_curves(predicted_scores, + # correct_labels, epoch, phase) + + level_stop, level_start = [], [] + for level_id, level_len in enumerate(self.labelmap.levels): + if level_id == 0: + level_start.append(0) + level_stop.append(level_len) + else: + level_start.append(level_stop[level_id-1]) + level_stop.append(level_stop[level_id-1] + level_len) + + level_wise_metrics = {} + + metrics_calculator = MetricsMultiLevel(self.predicted_labels, correct_labels) + global_metrics = metrics_calculator.calculate_basic_metrics(list(range(0, self.labelmap.n_classes))) + + for level_id in range(len(level_start)): + metrics_calculator = MetricsMultiLevel(self.predicted_labels, correct_labels) + level_wise_metrics[self.labelmap.level_names[level_id]] = metrics_calculator.calculate_basic_metrics( + list(range(level_start[level_id], level_stop[level_id])) + ) + + if phase in ['val', 'test']: + # global metrics + self.summarizer.make_heading('Global Metrics', 2) + self.summarizer.make_table( + data=[[global_metrics[score_type][score] for score in ['precision', 'recall', 'f1']] for score_type in + ['macro', 'micro']], + x_labels=['Precision', 'Recall', 'F1'], y_labels=['Macro', 'Micro']) + + self.summarizer.make_heading('Class-wise Metrics', 2) + self.summarizer.make_table( + data=[[global_metrics['precision'][label_ix], global_metrics['recall'][label_ix], + global_metrics['f1'][label_ix], int(samples_split['train'][label_ix]), + int(samples_split['val'][label_ix]), int(samples_split['test'][label_ix])] + for label_ix in range(self.labelmap.n_classes)], + x_labels=['Precision', 'Recall', 'F1', 'train freq', 'val freq', 'test freq'], + y_labels=self.labelmap.classes) + + # level wise metrics + for level_id, metrics_key in enumerate(level_wise_metrics): + metrics = level_wise_metrics[metrics_key] + self.summarizer.make_heading('{} Metrics'.format(metrics_key), 2) + self.summarizer.make_table( + data=[[metrics[score_type][score] for score in ['precision', 'recall', 'f1']] for score_type in + ['macro', 'micro']], + x_labels=['Precision', 'Recall', 'F1'], y_labels=['Macro', 'Micro']) + + self.summarizer.make_heading('Class-wise Metrics', 2) + self.summarizer.make_table( + data=[[global_metrics['precision'][label_ix], global_metrics['recall'][label_ix], + global_metrics['f1'][label_ix], int(samples_split['train'][label_ix]), + int(samples_split['val'][label_ix]), int(samples_split['test'][label_ix])] + for label_ix in range(level_start[level_id], level_stop[level_id])], + x_labels=['Precision', 'Recall', 'F1', 'train freq', 'val freq', 'test freq'], + y_labels=self.labelmap.classes[level_start[level_id]:level_stop[level_id]]) + + if self.generate_plots: + score_vs_freq = [(global_metrics['f1'][label_ix], int(samples_split['train'][label_ix])) + for label_ix in range(level_start[level_id], level_stop[level_id])] + self.make_score_vs_freq_hist(score_vs_freq, + os.path.join(self.experiment_directory, 'stats', + ('best_' if not save_to_tensorboard else '') + phase + + str(epoch)), + '{} {}'.format(self.labelmap.level_names[level_id], 'F1')) + + return global_metrics + + def set_optimal_thresholds(self, best_f1_score): + pass diff --git a/network/experiment.py b/network/experiment.py new file mode 100644 index 0000000..5c41539 --- /dev/null +++ b/network/experiment.py @@ -0,0 +1,241 @@ +from __future__ import print_function +from __future__ import division +import torch +import torch.nn as nn +import torch.optim as optim +import torchvision +from torchvision import datasets, models, transforms + +import copy +from tensorboardX import SummaryWriter +import datetime +from evaluation import Evaluation +import time +import numpy as np +import os +import collections + +import matplotlib +matplotlib.use('Agg') +import matplotlib.pyplot as plt + + +class Experiment: + + def __init__(self, model, dataloaders, criterion, classes, experiment_name, n_epochs, eval_interval, batch_size, + exp_dir, load_wt, evaluator): + self.epoch = 0 + self.exp_dir = exp_dir + self.load_wt = load_wt + + self.eval = evaluator + + self.classes = classes + self.criterion = criterion + self.batch_size = batch_size + self.device = torch.device("cuda" if torch.cuda.is_available() else "cpu") + print('Using device: {}'.format(self.device)) + if torch.cuda.device_count() > 1: + print("== Using", torch.cuda.device_count(), "GPUs!") + self.model = model.to(self.device) + self.n_epochs = n_epochs + self.eval_interval = eval_interval + self.dataloaders = dataloaders + print('Training set has {} samples. Validation set has {} samples. Test set has {} samples'.format( + len(self.dataloaders['train'].dataset), + len(self.dataloaders['val'].dataset), + len(self.dataloaders['test'].dataset))) + + self.log_dir = os.path.join(self.exp_dir, '{}').format(experiment_name) + self.path_to_save_model = os.path.join(self.log_dir, 'weights') + self.make_dir_if_non_existent(self.path_to_save_model) + + self.writer = SummaryWriter(log_dir=os.path.join(self.log_dir, 'tensorboard')) + + @staticmethod + def make_dir_if_non_existent(dir): + if not os.path.exists(dir): + os.makedirs(dir) + + def set_parameter_requires_grad(self, feature_extracting): + if feature_extracting: + for param in self.model.parameters(): + param.requires_grad = False + + def plot_grad_flow(self): + '''Plots the gradients flowing through different layers in the net during training. + Can be used for checking for possible gradient vanishing / exploding problems. + + Usage: Plug this function in Trainer class after loss.backwards() as + "plot_grad_flow(self.model.named_parameters())" to visualize the gradient flow''' + ave_grads = [] + max_grads = [] + layers = [] + for n, p in self.model.named_parameters(): + if (p.requires_grad) and ("bias" not in n): + layers.append(n) + ave_grads.append(p.grad.abs().mean()) + max_grads.append(p.grad.abs().max()) + plt.bar(np.arange(len(max_grads)), max_grads, alpha=0.1, lw=1, color="c") + plt.bar(np.arange(len(max_grads)), ave_grads, alpha=0.1, lw=1, color="b") + plt.hlines(0, 0, len(ave_grads) + 1, lw=2, color="k") + plt.xticks(range(0, len(ave_grads), 1), layers, rotation="vertical") + plt.xlim(left=0, right=len(ave_grads)) + plt.ylim(bottom=-0.001, top=0.02) # zoom in on the lower gradient regions + plt.xlabel("Layers") + plt.ylabel("average gradient") + plt.title("Gradient flow") + plt.grid(True) + plt.legend([matplotlib.lines.Line2D([0], [0], color="c", lw=4), + matplotlib.lines.Line2D([0], [0], color="b", lw=4), + matplotlib.lines.Line2D([0], [0], color="k", lw=4)], ['max-gradient', 'mean-gradient', 'zero-gradient']) + plt.savefig(os.path.join(self.log_dir, 'gradient_flow.png')) + + def pass_samples(self, phase, save_to_tensorboard=True): + running_loss = 0.0 + running_corrects = 0 + + predicted_scores = np.zeros((len(self.dataloaders[phase].dataset), self.n_classes)) + correct_labels = np.zeros((len(self.dataloaders[phase].dataset))) + + # Iterate over data. + for index, data_item in enumerate(self.dataloaders[phase]): + inputs, labels = data_item + inputs = inputs.to(self.device) + labels = labels.float().to(self.device) + + # zero the parameter gradients + self.optimizer.zero_grad() + + # forward + # track history if only in train + with torch.set_grad_enabled(phase == 'train'): + outputs = self.model(inputs) + loss = self.criterion(outputs, labels) + + _, preds = torch.max(outputs, 1) + + # backward + optimize only if in training phase + if phase == 'train': + loss.backward() + # self.plot_grad_flow() + self.optimizer.step() + + # statistics + running_loss += loss.item() * inputs.size(0) + running_corrects += torch.sum(preds == labels.data) + + predicted_scores[self.batch_size * index:min(self.batch_size * (index + 1), + len(self.dataloaders[phase].dataset)), :] = outputs.data + correct_labels[self.batch_size * index:min(self.batch_size * (index + 1), + len(self.dataloaders[phase].dataset))] = labels.data + + mAP, _, _, _, _ = self.eval.evaluate(predicted_scores, correct_labels, self.epoch, phase, save_to_tensorboard, ) + + epoch_loss = running_loss / len(self.dataloaders[phase].dataset) + epoch_acc = running_corrects.double() / len(self.dataloaders[phase].dataset) + + self.writer.add_scalar('{}_loss'.format(phase), epoch_loss, self.epoch) + self.writer.add_scalar('{}_accuracy'.format(phase), epoch_acc, self.epoch) + self.writer.add_scalar('{}_mAP'.format(phase), mAP, self.epoch) + + print('{} Loss: {:.4f} Score: {:.4f}'.format(phase, epoch_loss, epoch_acc)) + + # deep copy the model + if phase == 'val': + self.save_model(epoch_loss) + if epoch_acc > self.best_score: + self.best_score = epoch_acc + self.best_model_wts = copy.deepcopy(self.model.state_dict()) + self.save_model(epoch_loss, filename='best_model') + + def run_model(self, optimizer): + self.optimizer = optimizer + + if self.load_wt: + self.find_existing_weights() + + self.best_model_wts = copy.deepcopy(self.model.state_dict()) + self.best_score = 0.0 + + since = time.time() + + for self.epoch in range(self.epoch, self.n_epochs): + print('=' * 10) + print('Epoch {}/{}'.format(self.epoch, self.n_epochs - 1)) + print('=' * 10) + + self.pass_samples(phase='train') + if self.epoch % self.eval_interval == 0: + if self.epoch % 10 == 0: + self.eval.enable_plotting() + self.pass_samples(phase='val') + self.pass_samples(phase='test') + self.eval.disable_plotting() + + time_elapsed = time.time() - since + print('Training complete in {:.0f}m {:.0f}s'.format(time_elapsed // 60, time_elapsed % 60)) + print('Best val score: {:4f}'.format(self.best_score)) + + # load best model weights + self.model.load_state_dict(self.best_model_wts) + + self.writer.close() + return self.model + + def save_model(self, loss, filename=None): + torch.save({ + 'epoch': self.epoch, + 'model_state_dict': self.model.state_dict(), + 'optimizer_state_dict': self.optimizer.state_dict(), + 'loss': loss + }, os.path.join(self.path_to_save_model, '{}.pth'.format(filename if filename else self.epoch))) + print('Successfully saved model epoch {} to {} as {}.pth'.format(self.epoch, self.path_to_save_model, + filename if filename else self.epoch)) + + def load_model(self, epoch_to_load): + checkpoint = torch.load(os.path.join(self.path_to_save_model, '{}.pth'.format(epoch_to_load)), map_location=self.device) + self.model.load_state_dict(checkpoint['model_state_dict']) + self.optimizer.load_state_dict(checkpoint['optimizer_state_dict']) + self.epoch = checkpoint['epoch'] + print('Successfully loaded model epoch {} from {}'.format(self.epoch, self.path_to_save_model)) + + def find_existing_weights(self): + weights = sorted([filename for filename in os.listdir(self.path_to_save_model)]) + if len(weights) < 2: + print('Could not find weights to load from, will train from scratch.') + else: + self.load_model(epoch_to_load=weights[-2].split('.')[0]) + + def load_best_model(self): + self.load_model(epoch_to_load='best_model') + self.eval.enable_plotting() + self.pass_samples(phase='test', save_to_tensorboard=False) + self.eval.disable_plotting() + + +class WeightedResampler(torch.utils.data.sampler.WeightedRandomSampler): + def __init__(self, dataset, start=None, stop=None, weight_strategy='inv'): + dset_len = len(dataset) + if start is None and stop is None: + label_ids = [dataset[ind]['leaf_label'] for ind in range(len(dataset))] + elif start is not None and stop is not None: + label_ids = [dataset[ind]['leaf_label'] for ind in range(start, stop)] + dset_len = stop-start + + label_counts = collections.Counter(label_ids) + dense_label_counts = np.zeros(dataset.labelmap.levels[-1], dtype=np.float32) + dense_label_counts[list(label_counts.keys())] = list(label_counts.values()) + + if np.any(dense_label_counts == 0): + print("[warning] Found labels with zero samples") + + if weight_strategy == 'inv': + label_weights = 1.0 / dense_label_counts + elif weight_strategy == 'inv_sqrt': + label_weights = 1.0 / np.sqrt(dense_label_counts) + + label_weights[dense_label_counts == 0] = 0.0 + + weights = label_weights[label_ids] + torch.utils.data.sampler.WeightedRandomSampler.__init__(self, weights, dset_len, replacement=True) diff --git a/network/fashion_mnist.py b/network/fashion_mnist.py new file mode 100644 index 0000000..dbc2823 --- /dev/null +++ b/network/fashion_mnist.py @@ -0,0 +1,275 @@ +from __future__ import print_function +from __future__ import division +import torch +import torch.nn as nn +import torch.optim as optim +import torchvision +from torchvision import datasets, models, transforms + +import os +from network.experiment import Experiment +from network.evaluation import MultiLabelEvaluation, Evaluation, MultiLabelEvaluationSingleThresh, MultiLevelEvaluation +from network.loss import MultiLevelCELoss, MultiLabelSMLoss +from network.finetuner import CIFAR10 + +from PIL import Image +import numpy as np + +import copy +import argparse +import json +import git + + +class FMNIST(CIFAR10): + def __init__(self, data_loaders, labelmap, criterion, lr, + batch_size, + evaluator, + experiment_name, + experiment_dir='../exp/', + n_epochs=10, + eval_interval=2, + feature_extracting=True, + use_pretrained=True, + load_wt=False, + model_name=None, + optimizer_method='adam'): + + CIFAR10.__init__(self, data_loaders, labelmap, criterion, lr, batch_size, evaluator, experiment_name, + experiment_dir, n_epochs, eval_interval, feature_extracting, use_pretrained, + load_wt, model_name, optimizer_method) + + if model_name in ['alexnet', 'vgg']: + o_channels = self.model.features[0].out_channels + k_size = self.model.features[0].kernel_size + stride = self.model.features[0].stride + pad = self.model.features[0].padding + dil = self.model.features[0].dilation + self.model.features[0] = nn.Conv2d(1, o_channels, kernel_size=k_size, stride=stride, padding=pad, + dilation=dil) + elif 'resnet' in model_name: + o_channels = self.model.conv1.out_channels + k_size = self.model.conv1.kernel_size + stride = self.model.conv1.stride + pad = self.model.conv1.padding + dil = self.model.conv1.dilation + self.model.conv1 = nn.Conv2d(1, o_channels, kernel_size=k_size, stride=stride, padding=pad, dilation=dil) + + self.model = nn.DataParallel(self.model) + + +def train_FMNIST(arguments): + if not os.path.exists(os.path.join(arguments.experiment_dir, arguments.experiment_name)): + os.makedirs(os.path.join(arguments.experiment_dir, arguments.experiment_name)) + args_dict = vars(args) + repo = git.Repo(search_parent_directories=True) + args_dict['commit_hash'] = repo.head.object.hexsha + args_dict['branch'] = repo.active_branch.name + with open(os.path.join(arguments.experiment_dir, arguments.experiment_name, 'config_params.txt'), 'w') as file: + file.write(json.dumps(args_dict, indent=4)) + + print('Config parameters for this run are:\n{}'.format(json.dumps(vars(args), indent=4))) + + input_size = 224 + data_transforms = transforms.Compose( + [ + transforms.RandomResizedCrop(input_size), + transforms.RandomHorizontalFlip(), + transforms.ToTensor(), + # transforms.Normalize(0.5, 0.5) + ]) + + labelmap = labelmap_FMNIST() + batch_size = arguments.batch_size + n_workers = arguments.n_workers + + if arguments.debug: + print("== Running in DEBUG mode!") + trainset = FMNISTHierarchical(root='../database', labelmap=labelmap, train=False, + download=True, transform=data_transforms) + trainloader = torch.utils.data.DataLoader(torch.utils.data.Subset(trainset, list(range(100))), batch_size=batch_size, + shuffle=True, num_workers=n_workers) + + valloader = torch.utils.data.DataLoader(torch.utils.data.Subset(trainset, list(range(100, 200))), + batch_size=batch_size, + shuffle=True, num_workers=n_workers) + + testloader = torch.utils.data.DataLoader(torch.utils.data.Subset(trainset, list(range(200, 300))), + batch_size=batch_size, + shuffle=False, num_workers=n_workers) + + data_loaders = {'train': trainloader, 'val': valloader, 'test': testloader} + + else: + trainset = FMNISTHierarchical(root='../database', labelmap=labelmap, train=True, + download=True, transform=data_transforms) + testset = FMNISTHierarchical(root='../database', labelmap=labelmap, train=False, + download=True, transform=data_transforms) + + # split the dataset into 80:10:10 + train_indices_from_train, val_indices_from_train, val_indices_from_test, test_indices_from_test = \ + FMNIST_set_indices(trainset, testset, labelmap) + + trainloader = torch.utils.data.DataLoader(torch.utils.data.Subset(trainset, train_indices_from_train), + batch_size=batch_size, + shuffle=True, num_workers=n_workers) + + evalset_from_train = torch.utils.data.Subset(trainset, val_indices_from_train) + evalset_from_test = torch.utils.data.Subset(testset, val_indices_from_test) + valloader = torch.utils.data.DataLoader(torch.utils.data.ConcatDataset([evalset_from_train, evalset_from_test]), + batch_size=batch_size, + shuffle=True, num_workers=n_workers) + + testloader = torch.utils.data.DataLoader(torch.utils.data.Subset(testset, test_indices_from_test), + batch_size=batch_size, + shuffle=False, num_workers=n_workers) + + data_loaders = {'train': trainloader, 'val': valloader, 'test': testloader} + + weight = None + if arguments.class_weights: + n_train = torch.zeros(labelmap.n_classes) + for data_item in data_loaders['train']: + n_train += torch.sum(data_item['labels'], 0) + weight = 1.0 / n_train + + eval_type = MultiLabelEvaluation(os.path.join(arguments.experiment_dir, arguments.experiment_name), labelmap) + if arguments.evaluator == 'MLST': + eval_type = MultiLabelEvaluationSingleThresh(os.path.join(arguments.experiment_dir, arguments.experiment_name), labelmap) + + use_criterion = None + if arguments.loss == 'multi_label': + use_criterion = MultiLabelSMLoss(weight=weight) + elif arguments.loss == 'multi_level': + use_criterion = MultiLevelCELoss(labelmap=labelmap, weight=weight) + eval_type = MultiLevelEvaluation(os.path.join(arguments.experiment_dir, arguments.experiment_name), labelmap) + + FMNIST_trainer = FMNIST(data_loaders=data_loaders, labelmap=labelmap, + criterion=use_criterion, + lr=arguments.lr, + batch_size=batch_size, evaluator=eval_type, + experiment_name=arguments.experiment_name, # 'cifar_test_ft_multi', + experiment_dir=arguments.experiment_dir, + eval_interval=arguments.eval_interval, + n_epochs=arguments.n_epochs, + feature_extracting=arguments.freeze_weights, + use_pretrained=True, + load_wt=False, + model_name=arguments.model, + optimizer_method=arguments.optimizer_method) + FMNIST_trainer.prepare_model() + if arguments.set_mode == 'train': + FMNIST_trainer.train() + elif arguments.set_mode == 'test': + FMNIST_trainer.test() + + +class labelmap_FMNIST: + def __init__(self): + self.classes = ('T-shirt_top', 'Trouser', 'Pullover', 'Dress', 'Coat', 'Sandal', 'Shirt', 'Sneaker', 'Bag', 'Ankle boot', + 'tops', 'bottoms', 'accessories', 'footwear') + + self.family = {'tops': 10, 'bottoms': 11, 'accessories': 12, 'footwear': 13} + self.n_classes = 14 + self.levels = [10, 4] + self.level_names = ['classes', 'family'] + self.map = { + 'T-shirt_top': ['tops'], + 'Trouser': ['bottoms'], + 'Pullover': ['tops'], + 'Dress': ['tops'], + 'Coat': ['tops'], + 'Sandal': ['footwear'], + 'Shirt': ['tops'], + 'Sneaker': ['footwear'], + 'Bag': ['accessories'], + 'Ankle boot': ['footwear'] + } + + def get_labels(self, class_index): + family = self.map[self.classes[class_index]][0] + return [class_index, self.family[family]] + + def labels_one_hot(self, class_index): + indices = self.get_labels(class_index) + retval = np.zeros(self.n_classes) + retval[indices] = 1 + return retval + + def get_level_labels(self, class_index): + level_labels = self.get_labels(class_index) + return np.array([level_labels[0], level_labels[1]-self.levels[0]]) + + +class FMNISTHierarchical(torchvision.datasets.FashionMNIST): + def __init__(self, root, labelmap, train=True, + transform=None, target_transform=None, + download=False): + self.labelmap = labelmap + torchvision.datasets.FashionMNIST.__init__(self, root, train, transform, target_transform, download) + + def __getitem__(self, index): + img, target = self.data[index], int(self.targets[index]) + + # doing this so that it is consistent with all other datasets + # to return a PIL Image + img = Image.fromarray(img.numpy(), mode='L') + + if self.transform is not None: + img = self.transform(img) + + if self.target_transform is not None: + target = self.target_transform(target) + + multi_class_target = self.labelmap.labels_one_hot(target) + return {'image': img, 'labels': torch.from_numpy(multi_class_target).float(), 'leaf_class': target, + 'level_labels': torch.from_numpy(self.labelmap.get_level_labels(target)).long()} + + +def FMNIST_set_indices(trainset, testset, labelmap=labelmap_FMNIST()): + indices = {d_set_name: {label_ix: [] for label_ix in range(len(labelmap.map))} for d_set_name in ['train', 'val']} + for d_set, d_set_name in zip([trainset, testset], ['train', 'val']): + for i in range(len(d_set)): + indices[d_set_name][d_set[i]['leaf_class']].append(i) + + train_indices_from_train = [] + for label_ix in range(len(indices['train'])): + train_indices_from_train += indices['train'][label_ix][:5000] + + val_indices_from_train = [] + val_indices_from_test = [] + for label_ix in range(len(indices['train'])): + val_indices_from_train += indices['train'][label_ix][-1000:] + + test_indices_from_test = [] + for label_ix in range(len(indices['val'])): + test_indices_from_test += indices['val'][label_ix] + + print('Train set has: {}'.format(len(set(train_indices_from_train)))) + print('Val set has: {} + {}'.format(len(set(val_indices_from_train)), len(set(val_indices_from_test)))) + print('Test set has: {}'.format(len(set(test_indices_from_test)))) + + return train_indices_from_train, val_indices_from_train, val_indices_from_test, test_indices_from_test + + +if __name__ == '__main__': + parser = argparse.ArgumentParser() + parser.add_argument("--debug", help='Use DEBUG mode.', action='store_true') + parser.add_argument("--lr", help='Input learning rate.', type=float, default=0.001) + parser.add_argument("--batch_size", help='Batch size.', type=int, default=8) + parser.add_argument("--evaluator", help='Evaluator type.', type=str, default='ML') + parser.add_argument("--experiment_name", help='Experiment name.', type=str, required=True) + parser.add_argument("--experiment_dir", help='Experiment directory.', type=str, required=True) + parser.add_argument("--n_epochs", help='Number of epochs to run training for.', type=int, required=True) + parser.add_argument("--n_workers", help='Number of workers.', type=int, default=4) + parser.add_argument("--optimizer_method", help='[adam, sgd]', type=str, default='adam') + parser.add_argument("--eval_interval", help='Evaluate model every N intervals.', type=int, default=1) + parser.add_argument("--resume", help='Continue training from last checkpoint.', action='store_true') + parser.add_argument("--model", help='NN model to use.', type=str, required=True) + parser.add_argument("--freeze_weights", help='This flag fine tunes only the last layer.', action='store_true') + parser.add_argument("--class_weights", help='Re-weigh the loss function based on inverse class freq.', action='store_true') + parser.add_argument("--set_mode", help='If use training or testing mode (loads best model).', type=str, required=True) + parser.add_argument("--loss", help='Loss function to use.', type=str, required=True) + args = parser.parse_args() + + train_FMNIST(args) diff --git a/network/finetuner.py b/network/finetuner.py new file mode 100644 index 0000000..0adc77d --- /dev/null +++ b/network/finetuner.py @@ -0,0 +1,616 @@ +from __future__ import print_function +from __future__ import division +import torch +import torch.nn as nn +import torch.optim as optim +import torchvision +from torchvision import datasets, models, transforms + +import os +from network.experiment import Experiment +from network.evaluation import MultiLabelEvaluation, Evaluation, MultiLabelEvaluationSingleThresh, MultiLevelEvaluation + +from data.db import ETHECLabelMap, Rescale, ToTensor, Normalize, ColorJitter, RandomHorizontalFlip, RandomCrop, ToPILImage, ETHECDB + +from network.loss import MultiLevelCELoss, MultiLabelSMLoss + +from PIL import Image +import numpy as np + +import copy +import argparse +import json +import git + +print("PyTorch Version: ", torch.__version__) +print("Torchvision Version: ", torchvision.__version__) + + +def dataload(data_dirs, data_transforms, batch_size): + print("Initializing Datasets and Dataloaders...") + + image_datasets = {x: datasets.ImageFolder(data_dirs[x], data_transforms[x]) for x in + ['train', 'val']} + + # Create training and validation dataloaders + dataloaders_dict = {x: torch.utils.data.DataLoader(image_datasets[x], + batch_size=batch_size, + shuffle=True, + num_workers=4) for x in ['train', 'val']} + return dataloaders_dict + + +class Finetuner(Experiment): + def __init__(self, data_dir, data_transforms, classes, criterion, lr, + batch_size, + experiment_name, + experiment_dir='../exp/', + n_epochs=10, + eval_interval=2, + feature_extracting=True, + use_pretrained=True, + load_wt=False): + + model = models.alexnet(pretrained=use_pretrained) + image_paths = {x: os.path.join(data_dir, x) for x in ['train', 'val']} + data_loaders = dataload(image_paths, data_transforms, batch_size) + + Experiment.__init__(self, model, data_loaders, criterion, classes, experiment_name, n_epochs, eval_interval, + batch_size, experiment_dir, load_wt, Evaluation(experiment_dir, classes)) + + self.lr = lr + self.n_classes = len(classes) + + self.input_size = 224 + self.feature_extracting = feature_extracting + + self.set_parameter_requires_grad(feature_extracting) + num_features = self.model.classifier[6].in_features + self.model.classifier[6] = nn.Linear(num_features, self.n_classes) + + self.params_to_update = self.model.parameters() + + if self.feature_extracting: + self.params_to_update = [] + for name, param in self.model.named_parameters(): + if param.requires_grad: + self.params_to_update.append(param) + print("Will update: {}".format(name)) + else: + print("Fine-tuning") + + self.model.to(self.device) + + def train(self): + self.run_model(optim.SGD(self.params_to_update, lr=self.lr, momentum=0.9)) + + +class CIFAR10(Experiment): + def __init__(self, data_loaders, labelmap, criterion, lr, + batch_size, + evaluator, + experiment_name, + experiment_dir='../exp/', + n_epochs=10, + eval_interval=2, + feature_extracting=True, + use_pretrained=True, + load_wt=False, + model_name=None, + optimizer_method='adam'): + + self.classes = labelmap.classes + self.n_classes = labelmap.n_classes + self.levels = labelmap.levels + self.n_levels = len(self.levels) + self.level_names = labelmap.level_names + self.lr = lr + self.batch_size = batch_size + self.feature_extracting = feature_extracting + self.optimal_thresholds = np.zeros(self.n_classes) + self.optimizer_method = optimizer_method + + if model_name == 'alexnet': + model = models.alexnet(pretrained=use_pretrained) + elif model_name == 'resnet18': + model = models.resnet18(pretrained=use_pretrained) + elif model_name == 'resnet50': + model = models.resnet50(pretrained=use_pretrained) + elif model_name == 'resnet101': + model = models.resnet101(pretrained=use_pretrained) + elif model_name == 'resnet152': + model = models.resnet152(pretrained=use_pretrained) + elif model_name == 'vgg': + model = models.vgg11_bn(pretrained=use_pretrained) + + Experiment.__init__(self, model, data_loaders, criterion, self.classes, experiment_name, n_epochs, + eval_interval, + batch_size, experiment_dir, load_wt, evaluator) + + self.dataset_length = {phase: len(self.dataloaders[phase].dataset) for phase in ['train', 'val', 'test']} + + self.set_parameter_requires_grad(self.feature_extracting) + if model_name in ['alexnet', 'vgg']: + num_features = self.model.classifier[6].in_features + self.model.classifier[6] = nn.Linear(num_features, self.n_classes) + elif 'resnet' in model_name: + num_features = self.model.fc.in_features + self.model.fc = nn.Linear(num_features, self.n_classes) + + self.n_train, self.n_val, self.n_test = torch.zeros(self.n_classes), torch.zeros(self.n_classes), \ + torch.zeros(self.n_classes) + for phase in ['train', 'val', 'test']: + for data_item in self.dataloaders[phase]: + setattr(self, 'n_{}'.format(phase), getattr(self, 'n_{}'.format(phase)) + torch.sum(data_item['labels'], 0)) + # print(self.n_train, torch.sum(self.n_train)) + # print(self.n_val, torch.sum(self.n_val)) + # print(self.n_test, torch.sum(self.n_test)) + + self.samples_split = {'train': self.n_train, 'val': self.n_val, 'test': self.n_test} + + def prepare_model(self): + self.params_to_update = self.model.parameters() + + if self.feature_extracting: + self.params_to_update = [] + for name, param in self.model.named_parameters(): + if param.requires_grad: + self.params_to_update.append(param) + print("Will update: {}".format(name)) + else: + print("Fine-tuning") + + def pass_samples(self, phase, save_to_tensorboard=True): + if phase == 'train': + self.model.train() + else: + self.model.eval() + + running_loss = 0.0 + running_corrects = 0 + epoch_per_level_matches = np.zeros(self.n_levels) + + predicted_scores = np.zeros((self.dataset_length[phase], self.n_classes)) + correct_labels = np.zeros((self.dataset_length[phase], self.n_classes)) + + # Iterate over data. + for index, data_item in enumerate(self.dataloaders[phase]): + inputs, labels, level_labels = data_item['image'], data_item['labels'], data_item['level_labels'] + inputs = inputs.to(self.device) + labels = labels.float().to(self.device) + level_labels = level_labels.to(self.device) + + # zero the parameter gradients + self.optimizer.zero_grad() + + # forward + # track history if only in train + with torch.set_grad_enabled(phase == 'train'): + self.model = self.model.to(self.device) + outputs = self.model(inputs) + loss = self.criterion(outputs, labels, level_labels) + + _, preds = torch.max(outputs, 1) + + # backward + optimize only if in training phase + if phase == 'train': + loss.backward() + # self.plot_grad_flow() + self.optimizer.step() + + # statistics + running_loss += loss.item() * inputs.size(0) + + outputs, labels = outputs.cpu().detach(), labels.cpu().detach() + # exact matches + n_exact_matches, per_level_matches = self.evaluate_hierarchical_matches(outputs, labels) + running_corrects += n_exact_matches + epoch_per_level_matches += per_level_matches + + predicted_scores[self.batch_size * index:min(self.batch_size * (index + 1), + self.dataset_length[phase]), :] = outputs.data + correct_labels[self.batch_size * index:min(self.batch_size * (index + 1), + self.dataset_length[phase])] = labels.data + + metrics = self.eval.evaluate(predicted_scores, correct_labels, self.epoch, phase, save_to_tensorboard, + self.samples_split) + macro_f1, micro_f1, macro_p, micro_p, macro_r, micro_r = metrics['macro']['f1'], metrics['micro']['f1'], \ + metrics['macro']['precision'], \ + metrics['micro']['precision'], \ + metrics['macro']['recall'], \ + metrics['micro']['recall'] + if phase == 'eval': + self.optimal_thresholds = self.eval.get_optimal_thresholds() + + epoch_loss = running_loss / self.dataset_length[phase] + epoch_acc = running_corrects / self.dataset_length[phase] + + if save_to_tensorboard: + self.writer.add_scalar('{}_loss'.format(phase), epoch_loss, self.epoch) + self.writer.add_scalar('{}_accuracy'.format(phase), epoch_acc, self.epoch) + self.writer.add_scalar('{}_micro_f1'.format(phase), micro_f1, self.epoch) + self.writer.add_scalar('{}_macro_f1'.format(phase), macro_f1, self.epoch) + self.writer.add_scalar('{}_micro_precision'.format(phase), micro_p, self.epoch) + self.writer.add_scalar('{}_macro_precision'.format(phase), macro_p, self.epoch) + self.writer.add_scalar('{}_micro_recall'.format(phase), micro_r, self.epoch) + self.writer.add_scalar('{}_macro_recall'.format(phase), macro_r, self.epoch) + + for l_ix, level_matches in enumerate(epoch_per_level_matches.tolist()): + self.writer.add_scalar('{}_{}_matches'.format(phase, self.level_names[l_ix]), + level_matches / self.dataset_length[phase], self.epoch) + + print('{} Loss: {:.4f} Score: {:.4f}'.format(phase, epoch_loss, micro_f1)) + + # deep copy the model + if phase == 'val': + if self.epoch % 10 == 0: + self.save_model(epoch_loss) + if micro_f1 >= self.best_score: + self.best_score = micro_f1 + self.best_model_wts = copy.deepcopy(self.model.state_dict()) + self.save_model(epoch_loss, filename='best_model') + + def evaluate_hierarchical_matches(self, preds, labels): + preds, labels = preds.cpu().detach().numpy(), labels.cpu().numpy() + predicted_labels = preds > np.tile(self.optimal_thresholds, (labels.shape[0], 1)) + n_exact_matches = sum([1 for sample_ix in range(preds.shape[0]) + if np.array_equal(preds[sample_ix, :], labels[sample_ix, :])]) + pred_labels_and_map = np.logical_and(np.array(predicted_labels), labels) + + level_matches = [] + level_start_ix = 0 + for level in self.levels: + level_matches.append(np.sum(np.sum(pred_labels_and_map[:, level_start_ix:level_start_ix + level], axis=1))) + level_start_ix += level + + return n_exact_matches, np.array(level_matches) + + def train(self): + if self.optimizer_method == 'sgd': + self.run_model(optim.SGD(self.params_to_update, lr=self.lr, momentum=0.9)) + elif self.optimizer_method == 'adam': + self.run_model(optim.Adam(self.params_to_update, lr=self.lr)) + self.load_best_model() + + def test(self): + if self.optimizer_method == 'sgd': + self.run_model(optim.SGD(self.params_to_update, lr=self.lr, momentum=0.9)) + elif self.optimizer_method == 'adam': + self.run_model(optim.Adam(self.params_to_update, lr=self.lr)) + self.load_best_model() + + +class labelmap_CIFAR10: + def __init__(self): + self.classes = ('plane', 'car', 'bird', 'cat', 'deer', 'dog', 'frog', 'horse', 'ship', 'truck', + 'living', 'non_living', + 'non_land', 'land', 'vehicle', 'craft') + + self.family = {'living': 10, 'non_living': 11} + self.subfamily = {'non_land': 12, 'land': 13, 'vehicle': 14, 'craft': 15} + self.n_classes = 16 + self.levels = [10, 2, 4] + self.level_names = ['classes', 'family', 'subfamily'] + self.map = { + 'plane': ['non_living', 'craft'], + 'car': ['non_living', 'vehicle'], + 'bird': ['living', 'non_land'], + 'cat': ['living', 'land'], + 'deer': ['living', 'land'], + 'dog': ['living', 'land'], + 'frog': ['living', 'non_land'], + 'horse': ['living', 'land'], + 'ship': ['non_living', 'craft'], + 'truck': ['non_living', 'vehicle'] + } + + def get_labels(self, class_index): + family, subfamily = self.map[self.classes[class_index]] + return [class_index, self.family[family], self.subfamily[subfamily]] + + def labels_one_hot(self, class_index): + indices = self.get_labels(class_index) + retval = np.zeros(self.n_classes) + retval[indices] = 1 + return retval + + def get_level_labels(self, class_index): + level_labels = self.get_labels(class_index) + return np.array([level_labels[0], level_labels[1]-self.levels[0], level_labels[2]-(self.levels[0]+self.levels[1])]) + + +class labelmap_CIFAR10_single: + def __init__(self): + self.classes = ('plane', 'car', 'bird', 'cat', 'deer', + 'dog', 'frog', 'horse', 'ship', 'truck') + self.n_classes = 10 + + +class Cifar10Hierarchical(torchvision.datasets.CIFAR10): + def __init__(self, root, labelmap, train=True, + transform=None, target_transform=None, + download=False): + self.labelmap = labelmap + torchvision.datasets.CIFAR10.__init__(self, root, train, transform, target_transform, download) + + def __getitem__(self, index): + img, target = self.data[index], self.targets[index] + + # doing this so that it is consistent with all other datasets + # to return a PIL Image + img = Image.fromarray(img) + + if self.transform is not None: + img = self.transform(img) + # + # if self.target_transform is not None: + # target = self.target_transform(target) + + multi_class_target = self.labelmap.labels_one_hot(target) + + return {'image': img, 'labels': torch.from_numpy(multi_class_target).float(), 'leaf_label': target, + 'level_labels': torch.from_numpy(self.labelmap.get_level_labels(target)).long()} + + +def train_cifar10(arguments): + if not os.path.exists(os.path.join(arguments.experiment_dir, arguments.experiment_name)): + os.makedirs(os.path.join(arguments.experiment_dir, arguments.experiment_name)) + args_dict = vars(arguments) + repo = git.Repo(search_parent_directories=True) + args_dict['commit_hash'] = repo.head.object.hexsha + args_dict['branch'] = repo.active_branch.name + with open(os.path.join(arguments.experiment_dir, arguments.experiment_name, 'config_params.txt'), 'w') as file: + file.write(json.dumps(args_dict, indent=4)) + + print('Config parameters for this run are:\n{}'.format(json.dumps(vars(arguments), indent=4))) + + input_size = 224 + data_transforms = transforms.Compose( + [ + transforms.RandomResizedCrop(input_size), + transforms.RandomHorizontalFlip(), + transforms.ToTensor(), + transforms.Normalize((0.5, 0.5, 0.5), (0.5, 0.5, 0.5)) + ]) + + labelmap = labelmap_CIFAR10() + batch_size = arguments.batch_size + n_workers = arguments.n_workers + + if arguments.debug: + print("== Running in DEBUG mode!") + trainset = Cifar10Hierarchical(root='../database', labelmap=labelmap, train=False, + download=True, transform=data_transforms) + trainloader = torch.utils.data.DataLoader(torch.utils.data.Subset(trainset, list(range(100))), + batch_size=batch_size, + shuffle=True, num_workers=n_workers) + + valloader = torch.utils.data.DataLoader(torch.utils.data.Subset(trainset, list(range(100, 200))), + batch_size=batch_size, + shuffle=True, num_workers=n_workers) + + testloader = torch.utils.data.DataLoader(torch.utils.data.Subset(trainset, list(range(200, 300))), + batch_size=batch_size, + shuffle=False, num_workers=n_workers) + + data_loaders = {'train': trainloader, 'val': valloader, 'test': testloader} + + else: + trainset = Cifar10Hierarchical(root='../database', labelmap=labelmap, train=True, + download=True, transform=data_transforms) + testset = Cifar10Hierarchical(root='../database', labelmap=labelmap, train=False, + download=True, transform=data_transforms) + + # split the dataset into 80:10:10 + train_indices_from_train, val_indices_from_train, val_indices_from_test, test_indices_from_test = \ + cifar10_set_indices(trainset, testset, labelmap) + + trainloader = torch.utils.data.DataLoader(torch.utils.data.Subset(trainset, train_indices_from_train), + batch_size=batch_size, + shuffle=True, num_workers=n_workers) + + evalset_from_train = torch.utils.data.Subset(trainset, val_indices_from_train) + evalset_from_test = torch.utils.data.Subset(testset, val_indices_from_test) + valloader = torch.utils.data.DataLoader(torch.utils.data.ConcatDataset([evalset_from_train, evalset_from_test]), + batch_size=batch_size, + shuffle=True, num_workers=n_workers) + + testloader = torch.utils.data.DataLoader(torch.utils.data.Subset(testset, test_indices_from_test), + batch_size=batch_size, + shuffle=False, num_workers=n_workers) + + data_loaders = {'train': trainloader, 'val': valloader, 'test': testloader} + + weight = None + if arguments.class_weights: + n_train = torch.zeros(labelmap.n_classes) + for data_item in data_loaders['train']: + n_train += torch.sum(data_item['labels'], 0) + weight = 1.0 / n_train + + eval_type = MultiLabelEvaluation(os.path.join(arguments.experiment_dir, arguments.experiment_name), labelmap) + if arguments.evaluator == 'MLST': + eval_type = MultiLabelEvaluationSingleThresh(os.path.join(arguments.experiment_dir, arguments.experiment_name), + labelmap) + + use_criterion = None + if arguments.loss == 'multi_label': + use_criterion = MultiLabelSMLoss(weight=weight) + elif arguments.loss == 'multi_level': + use_criterion = MultiLevelCELoss(labelmap=labelmap, weight=weight) + eval_type = MultiLevelEvaluation(os.path.join(arguments.experiment_dir, arguments.experiment_name), labelmap) + + cifar_trainer = CIFAR10(data_loaders=data_loaders, labelmap=labelmap, + criterion=use_criterion, + lr=arguments.lr, + batch_size=batch_size, evaluator=eval_type, + experiment_name=arguments.experiment_name, # 'cifar_test_ft_multi', + experiment_dir=arguments.experiment_dir, + eval_interval=arguments.eval_interval, + n_epochs=arguments.n_epochs, + feature_extracting=arguments.freeze_weights, + use_pretrained=True, + load_wt=False, + model_name=arguments.model, + optimizer_method=arguments.optimizer_method) + cifar_trainer.prepare_model() + if arguments.set_mode == 'train': + cifar_trainer.train() + elif arguments.set_mode == 'test': + cifar_trainer.test() + + +def cifar10_set_indices(trainset, testset, labelmap=labelmap_CIFAR10()): + indices = {d_set_name: {label_ix: [] for label_ix in range(len(labelmap.map))} for d_set_name in ['train', 'val']} + for d_set, d_set_name in zip([trainset, testset], ['train', 'val']): + for i in range(len(d_set)): + indices[d_set_name][d_set[i]['leaf_label']].append(i) + + train_indices_from_train = [] + for label_ix in range(len(indices['train'])): + train_indices_from_train += indices['train'][label_ix][:4800] + + val_indices_from_train = [] + val_indices_from_test = [] + for label_ix in range(len(indices['train'])): + val_indices_from_train += indices['train'][label_ix][-200:] + for label_ix in range(len(indices['val'])): + val_indices_from_test += indices['val'][label_ix][:400] + + test_indices_from_test = [] + for label_ix in range(len(indices['val'])): + test_indices_from_test += indices['val'][label_ix][-600:] + + print('Train set has: {}'.format(len(set(train_indices_from_train)))) + print('Val set has: {} + {}'.format(len(set(val_indices_from_train)), len(set(val_indices_from_test)))) + print('Test set has: {}'.format(len(set(test_indices_from_test)))) + + return train_indices_from_train, val_indices_from_train, val_indices_from_test, test_indices_from_test + + +def cifar10_ind_exp(): + input_size = 224 + data_transforms = transforms.Compose( + [ + transforms.RandomResizedCrop(input_size), + transforms.RandomHorizontalFlip(), + transforms.ToTensor(), + transforms.Normalize((0.5, 0.5, 0.5), (0.5, 0.5, 0.5)) + ]) + + lmap = labelmap_CIFAR10() + batch_size = 8 + + trainset = Cifar10Hierarchical(root='../database', labelmap=lmap, train=True, + download=True, transform=data_transforms) + testset = Cifar10Hierarchical(root='../database', labelmap=lmap, train=False, + download=True, transform=data_transforms) + + # split the dataset into 80:10:10 + train_indices_from_train, val_indices_from_train, val_indices_from_test, test_indices_from_test = \ + cifar10_set_indices(trainset, testset, lmap) + + torch.utils.data.ConcatDataset(datasets) + + trainloader = torch.utils.data.DataLoader(torch.utils.data.Subset(trainset, train_indices_from_train), + batch_size=batch_size, + shuffle=True, num_workers=4) + + evalset_from_train = torch.utils.data.Subset(trainset, val_indices_from_train) + evalset_from_test = torch.utils.data.Subset(testset, val_indices_from_test) + evalloader = torch.utils.data.DataLoader(torch.utils.data.ConcatDataset([evalset_from_train, evalset_from_test]), + batch_size=batch_size, + shuffle=True, num_workers=4) + + testloader = torch.utils.data.DataLoader(torch.utils.data.Subset(testset, test_indices_from_test), + batch_size=batch_size, + shuffle=False, num_workers=4) + + +def train_cifar10_single(): + input_size = 224 + data_transforms = transforms.Compose( + [ + transforms.RandomResizedCrop(input_size), + transforms.RandomHorizontalFlip(), + transforms.ToTensor(), + transforms.Normalize((0.5, 0.5, 0.5), (0.5, 0.5, 0.5)) + ]) + + lmap = labelmap_CIFAR10() + batch_size = 8 + + trainset = torchvision.datasets.CIFAR10(root='../database', train=False, download=True, transform=data_transforms) + trainloader = torch.utils.data.DataLoader(torch.utils.data.Subset(trainset, list(range(1000))), + batch_size=batch_size, + shuffle=True, num_workers=4) + + testset = torchvision.datasets.CIFAR10(root='../database', train=False, download=True, transform=data_transforms) + testloader = torch.utils.data.DataLoader(torch.utils.data.Subset(testset, list(range(1000, 2000))), + batch_size=batch_size, + shuffle=False, num_workers=4) + + data_loaders = {'train': trainloader, 'val': testloader} + + cifar_trainer = CIFAR10(data_loaders=data_loaders, labelmap=lmap, + criterion=nn.CrossEntropyLoss(), + lr=0.001, + batch_size=batch_size, + experiment_name='cifar_test_ft', + experiment_dir='../exp/', + eval_interval=2, + n_epochs=10, + feature_extracting=True, + use_pretrained=True, + load_wt=True) + + +def train_alexnet_binary(): + input_size = 224 + data_transforms = { + 'train': transforms.Compose([ + transforms.RandomResizedCrop(input_size), + transforms.RandomHorizontalFlip(), + transforms.ToTensor(), + transforms.Normalize([0.485, 0.456, 0.406], [0.229, 0.224, 0.225]) + ]), + 'val': transforms.Compose([ + transforms.Resize(input_size), + transforms.CenterCrop(input_size), + transforms.ToTensor(), + transforms.Normalize([0.485, 0.456, 0.406], [0.229, 0.224, 0.225]) + ]), + } + data_dir = '../database/hymenoptera_data' + + Finetuner(data_dir=data_dir, data_transforms=data_transforms, classes=('spider', 'bee'), + criterion=nn.CrossEntropyLoss(), + lr=0.001, + batch_size=8, + experiment_name='alexnet_ft', + n_epochs=2, + load_wt=False).train() + + +if __name__ == '__main__': + parser = argparse.ArgumentParser() + parser.add_argument("--debug", help='Use DEBUG mode.', action='store_true') + parser.add_argument("--lr", help='Input learning rate.', type=float, default=0.001) + parser.add_argument("--batch_size", help='Batch size.', type=int, default=8) + parser.add_argument("--evaluator", help='Evaluator type. If using `multi_level` option for --loss then is overidden.', type=str, default='ML') + parser.add_argument("--experiment_name", help='Experiment name.', type=str, required=True) + parser.add_argument("--experiment_dir", help='Experiment directory.', type=str, required=True) + parser.add_argument("--n_epochs", help='Number of epochs to run training for.', type=int, required=True) + parser.add_argument("--n_workers", help='Number of workers.', type=int, default=4) + parser.add_argument("--optimizer_method", help='[adam, sgd]', type=str, default='adam') + parser.add_argument("--eval_interval", help='Evaluate model every N intervals.', type=int, default=1) + parser.add_argument("--resume", help='Continue training from last checkpoint.', action='store_true') + parser.add_argument("--model", help='NN model to use.', type=str, required=True) + parser.add_argument("--loss", help='Loss function to use.', type=str, required=True) + parser.add_argument("--class_weights", help='Re-weigh the loss function based on inverse class freq.', action='store_true') + parser.add_argument("--freeze_weights", help='This flag fine tunes only the last layer.', action='store_true') + parser.add_argument("--set_mode", help='If use training or testing mode (loads best model).', type=str, + required=True) + args = parser.parse_args() + + train_cifar10(args) diff --git a/network/loss.py b/network/loss.py new file mode 100644 index 0000000..35a155a --- /dev/null +++ b/network/loss.py @@ -0,0 +1,87 @@ +import torch +from torch import nn +from data.db import ETHECLabelMap + + +class MultiLevelCELoss(torch.nn.Module): + def __init__(self, labelmap, level_weights=None, weight=None): + torch.nn.Module.__init__(self) + self.labelmap = labelmap + self.level_weights = [1.0] * len(self.labelmap.levels) if level_weights is None else level_weights + self.device = torch.device("cuda" if torch.cuda.is_available() else "cpu") + self.criterion = [] + if weight is None: + for level_len in self.labelmap.levels: + self.criterion.append(nn.CrossEntropyLoss(weight=None, reduction='none')) + else: + level_stop, level_start = [], [] + for level_id, level_len in enumerate(self.labelmap.levels): + if level_id == 0: + level_start.append(0) + level_stop.append(level_len) + else: + level_start.append(level_stop[level_id - 1]) + level_stop.append(level_stop[level_id - 1] + level_len) + self.criterion.append(nn.CrossEntropyLoss(weight=weight[level_start[level_id]:level_stop[level_id]].to(self.device), + reduction='none')) + + print('==Using the following weights config for multi level cross entropy loss: {}'.format(self.level_weights)) + + def forward(self, outputs, labels, level_labels): + # print('Outputs: {}'.format(outputs)) + # print('Level labels: {}'.format(level_labels)) + # print('Levels: {}'.format(self.labelmap.levels)) + loss = 0.0 + for level_id, level in enumerate(self.labelmap.levels): + if level_id == 0: + loss += self.level_weights[level_id] * self.criterion[level_id](outputs[:, 0:level], level_labels[:, level_id]) + # print(self.weights[level_id] * self.criterion(outputs[:, 0:level], level_labels[:, level_id])) + else: + start = sum([self.labelmap.levels[l_id] for l_id in range(level_id)]) + # print([self.labelmap.levels[l_id] for l_id in range(level_id)], level) + # print(outputs[:, start:start+level]) + # print(self.weights[level_id] * self.criterion(outputs[:, start:start+level], + # level_labels[:, level_id])) + loss += self.level_weights[level_id] * self.criterion[level_id](outputs[:, start:start + level], + level_labels[:, level_id]) + # print('Loss per sample: {}'.format(loss)) + # print('Avg loss: {}'.format(torch.mean(loss))) + return torch.mean(loss) + + +class MultiLabelSMLoss(torch.nn.MultiLabelSoftMarginLoss): + def __init__(self, weight=None, size_average=None, reduce=None, reduction='mean'): + print(weight) + self.device = torch.device("cuda" if torch.cuda.is_available() else "cpu") + if weight is not None: + weight = weight.to(self.device) + torch.nn.MultiLabelSoftMarginLoss.__init__(self, weight, size_average, reduce, reduction) + + def forward(self, outputs, labels, level_labels): + return super().forward(outputs, labels) + + +if __name__ == '__main__': + lmap = ETHECLabelMap() + criterion = MultiLevelCELoss(labelmap=lmap, level_weights=[1, 1, 1, 1]) + output, level_labels = torch.zeros((1, lmap.n_classes)), torch.tensor([[0, + 7-lmap.levels[0], + 90-(lmap.levels[0]+lmap.levels[1]), + 400-(lmap.levels[0]+lmap.levels[1]+lmap.levels[2])]]) + labels = torch.zeros((1, lmap.n_classes)) + labels[0, torch.tensor([0, 7, 90, 400])] = 1 + output[:, 0] = 100 + output[:, 7] = 100 + output[:, 90] = 10000 + output[:, 400] = 10000 + print(output) + print(labels) + print(level_labels) + print('MLCELoss: {}'.format(criterion(output, labels, level_labels))) + + criterion_multi_label = torch.nn.MultiLabelSoftMarginLoss() + custom_criterion_multi_label = MultiLabelSMLoss() + print('MLSMLoss: {}'.format(criterion_multi_label(output, labels))) + print('MLSMLoss: {}'.format(custom_criterion_multi_label(output, labels, level_labels))) + + diff --git a/network/profiling.py b/network/profiling.py new file mode 100644 index 0000000..77cd79b --- /dev/null +++ b/network/profiling.py @@ -0,0 +1,62 @@ +from network.ethec_experiments import ETHEC_train_model +from network.finetuner import train_cifar10 +import argparse + + +def ethec_trainer(): + parser = argparse.ArgumentParser() + parser.add_argument("--debug", help='Use DEBUG mode.', action='store_true') + parser.add_argument("--lr", help='Input learning rate.', type=float, default=0.01) + parser.add_argument("--batch_size", help='Batch size.', type=int, default=8) + parser.add_argument("--evaluator", help='Evaluator type.', type=str, default='ML') + parser.add_argument("--experiment_name", help='Experiment name.', type=str, required=True) + parser.add_argument("--experiment_dir", help='Experiment directory.', type=str, required=True) + parser.add_argument("--image_dir", help='Image parent directory.', type=str, required=True) + parser.add_argument("--n_epochs", help='Number of epochs to run training for.', type=int, required=True) + parser.add_argument("--n_workers", help='Number of workers.', type=int, default=4) + parser.add_argument("--eval_interval", help='Evaluate model every N intervals.', type=int, default=1) + parser.add_argument("--resume", help='Continue training from last checkpoint.', action='store_true') + parser.add_argument("--merged", help='Use dataset which has genus and species combined.', action='store_true') + parser.add_argument("--model", help='NN model to use. Use one of [`multi_label`, `multi_level`]', + type=str, required=True) + parser.add_argument("--loss", help='Loss function to use.', type=str, required=True) + parser.add_argument("--freeze_weights", help='This flag fine tunes only the last layer.', action='store_true') + parser.add_argument("--set_mode", help='If use training or testing mode (loads best model).', type=str, + required=True) + args = parser.parse_args(['--n_epochs', '10', '--experiment_name', 'ethec_alexnet_remove', '--experiment_dir', + '../exp/ethec/multi_level', '--model', 'resnet18', '--set_mode', 'train', '--debug', + '--image_dir', '/media/ankit/DataPartition/IMAGO_build_test_resized', '--loss', + 'multi_level', '--eval_interval', '1', '--merged', '--lr', '0.01', # '--freeze_weights', + ]) + + ETHEC_train_model(args) + + +def cifar_trainer(): + parser = argparse.ArgumentParser() + parser.add_argument("--debug", help='Use DEBUG mode.', action='store_true') + parser.add_argument("--lr", help='Input learning rate.', type=float, default=0.01) + parser.add_argument("--batch_size", help='Batch size.', type=int, default=8) + parser.add_argument("--evaluator", + help='Evaluator type. If using `multi_level` option for --loss then is overidden.', type=str, + default='ML') + parser.add_argument("--experiment_name", help='Experiment name.', type=str, required=True) + parser.add_argument("--experiment_dir", help='Experiment directory.', type=str, required=True) + parser.add_argument("--n_epochs", help='Number of epochs to run training for.', type=int, required=True) + parser.add_argument("--n_workers", help='Number of workers.', type=int, default=4) + parser.add_argument("--eval_interval", help='Evaluate model every N intervals.', type=int, default=1) + parser.add_argument("--resume", help='Continue training from last checkpoint.', action='store_true') + parser.add_argument("--model", help='NN model to use.', type=str, required=True) + parser.add_argument("--loss", help='Loss function to use.', type=str, required=True) + parser.add_argument("--freeze_weights", help='This flag fine tunes only the last layer.', action='store_true') + parser.add_argument("--set_mode", help='If use training or testing mode (loads best model).', type=str, + required=True) + cmd = """--n_epochs 10 --experiment_name cifar_hierarchical_ft_debug --experiment_dir ../exp --debug --evaluator MLST --model alexnet --loss multi_level --set_mode train""" + args = parser.parse_args(cmd.split(' ')) + + train_cifar10(args) + + +if __name__ == '__main__': + # cifar_trainer() + ethec_trainer() diff --git a/network/summarize.py b/network/summarize.py new file mode 100644 index 0000000..e680965 --- /dev/null +++ b/network/summarize.py @@ -0,0 +1,72 @@ +import os + + +class Summarize: + def __init__(self, log_dir): + self.log_dir = log_dir + self.markdown_path = os.path.join(self.log_dir, 'summary.md') + self.markdown = open(self.markdown_path, 'wt') + + def make_heading(self, heading, heading_level=1): + self.markdown.write('{} {}\n\n'.format('#'*heading_level, heading)) + + def make_table(self, data, x_labels=None, y_labels=None): + table = [] + if x_labels: + text_row = '| ' + ('| ' if y_labels else '') + bottom_row = '| ' + ('--- | ' if y_labels else '') + for label in x_labels: + text_row += '{} | '.format(label) + bottom_row += '--- | ' + table.append(text_row) + table.append(bottom_row) + + for r_index in range(len(data)): + text_row = '| ' + if y_labels: + text_row += '**{}** | '.format(y_labels[r_index]) + for c_index in range(len(data[r_index])): + text_row += '{} | '.format(data[r_index][c_index]) + table.append(text_row) + + table_str = '' + for text_row in table: + table_str += text_row + ' \n' + self.markdown.write(table_str) + + def make_text(self, text, bullet=True): + self.markdown.write(('- ' if bullet else '') + text + ' \n\n') + + def make_image(self, location, alt_text): + self.markdown.write('![{}]({})\n\n'.format(alt_text, os.path.relpath(location, self.log_dir))) + + def make_hrule(self): + self.markdown.write('---\n\n') + + +if __name__ == '__main__': + s = Summarize('../exp/alexnet_ft') + s.make_heading('Test') + x_labels = ['a', 'b', 'c'] + y_labels = ['x', 'y'] + data = [[1, 2, 3], [4, 5, 6]] + s.make_table(data, x_labels, y_labels) + s.make_hrule() + s.make_image('/home/ankit/learning_embeddings/database/hymenoptera_data/train/ants/0013035.jpg', 'ants_0013035') + s.make_text('Ground-truth label: ant') + s.make_text('Predicted label: bee') + s.make_hrule() + s.make_image('/home/ankit/learning_embeddings/database/hymenoptera_data/train/ants/154124431_65460430f2.jpg', 'ants_154124431_65460430f2') + s.make_text('Ground-truth label: ant') + s.make_text('Predicted label: bee') + s.make_hrule() + s.make_image('/home/ankit/learning_embeddings/database/hymenoptera_data/train/ants/0013035.jpg', 'ants_0013035') + s.make_text('Ground-truth label: ant') + s.make_text('Predicted label: bee') + s.make_hrule() + s.make_image('/home/ankit/learning_embeddings/database/hymenoptera_data/train/ants/154124431_65460430f2.jpg', 'ants_154124431_65460430f2') + s.make_text('Ground-truth label: ant') + s.make_text('Predicted label: bee') + + + diff --git a/requirements.txt b/requirements.txt new file mode 100644 index 0000000..f089555 --- /dev/null +++ b/requirements.txt @@ -0,0 +1,40 @@ +absl-py==0.7.1 +astor==0.7.1 +cycler==0.10.0 +decorator==4.4.0 +gast==0.2.2 +gitdb2==2.0.5 +GitPython==2.1.11 +grpcio==1.19.0 +h5py==2.9.0 +imageio==2.5.0 +Keras-Applications==1.0.7 +Keras-Preprocessing==1.0.9 +kiwisolver==1.0.1 +Markdown==3.0.1 +matplotlib==3.0.3 +mock==2.0.0 +networkx==2.2 +numpy==1.16.2 +opencv-python==4.1.0.25 +pbr==5.1.3 +Pillow==5.4.1 +pip-autoremove==0.9.1 +protobuf==3.7.0 +pyparsing==2.3.1 +python-dateutil==2.8.0 +PyWavelets==1.0.3 +scikit-image==0.15.0 +scikit-learn==0.20.3 +scipy==1.2.1 +six==1.12.0 +smmap2==2.0.5 +tensorboard==1.13.1 +tensorboardX==1.6 +tensorflow==1.13.1 +tensorflow-estimator==1.13.0 +termcolor==1.1.0 +torch==1.0.1.post2 +torchvision==0.2.2.post3 +tqdm==4.31.1 +Werkzeug==0.14.1 diff --git a/requirements_3.6.txt b/requirements_3.6.txt new file mode 100644 index 0000000..e131b6f --- /dev/null +++ b/requirements_3.6.txt @@ -0,0 +1,33 @@ +absl-py==0.7.1 +astor==0.7.1 +cycler==0.10.0 +decorator==4.4.0 +gast==0.2.2 +grpcio==1.19.0 +h5py==2.9.0 +Keras-Applications==1.0.7 +Keras-Preprocessing==1.0.9 +kiwisolver==1.0.1 +Markdown==3.0.1 +matplotlib==3.0.3 +mock==2.0.0 +networkx==2.2 +numpy==1.16.2 +pbr==5.1.3 +Pillow==5.4.1 +pip-autoremove==0.9.1 +protobuf==3.7.0 +pyparsing==2.3.1 +python-dateutil==2.8.0 +scikit-learn==0.20.3 +scipy==1.2.1 +six==1.12.0 +tensorboard==1.13.1 +tensorboardX==1.6 +tensorflow==1.13.1 +tensorflow-estimator==1.13.0 +termcolor==1.1.0 +torch==1.0.1.post2 +torchvision==0.2.2.post3 +tqdm==4.31.1 +Werkzeug==0.14.1