import copy 
from copy import deepcopy as dc
import networkx as nx
from pathlib import Path
from pykdtree.kdtree import KDTree
from pykdtree.kdtree import KDTree 
import sys
import time
from datasci_tools import numpy_dep as np
#neuron module specific imports
#to be used for the soma_vertex nullification
current_module = sys.modules[__name__]
from .documentation_utils import tag
branch_mesh_attributes = ["spines","boutons"]
object_attributes = ["synapses","spines_obj"]
computed_attribute_list = [
    "width_array",
    "width_array_skeletal_lengths",
    "width_new",
    "spines_volume",
    "boutons_volume",
    "labels","boutons_cdfs","web_cdf","web","head_neck_shaft_idx"] + branch_mesh_attributes + object_attributes
[docs]def export_skeleton(self,subgraph_nodes=None):
    """
    
    """
    if subgraph is None:
        total_graph = self.neuron_graph
    else:
        pass 
        # do some subgraphing
        #total_graph = self.neuron_graph.subgraph([])
    
    #proce
[docs]def export_mesh_labels(self):
    """
    
    """
    pass 
[docs]def convert_soma_to_piece_connectivity_to_graph(soma_to_piece_connectivity):
    """
    Pseudocode: 
    1) Create the edges with the new names from the soma_to_piece_connectivity
    2) Create a GraphOrderedEdges from the new edges
    
    Ex: 
        
    concept_network = convert_soma_to_piece_connectivity_to_graph(current_mesh_data[0]["soma_to_piece_connectivity"])
    nx.draw(concept_network,with_labels=True)
    """
    
    total_edges = []
    for soma_key,list_of_limbs in soma_to_piece_connectivity.items():
        total_edges += [[f"S{soma_key}",f"L{curr_limb}"] for curr_limb in list_of_limbs]
    
    print(f"total_edges = {total_edges}")
    concept_network = xu.GraphOrderedEdges()
    concept_network.add_edges_from(total_edges)
    return concept_network  
    
[docs]def dc_check(current_object,attribute,default_value = None):
    try:
        return getattr(current_object,attribute)
    except:
        return default_value 
[docs]def copy_concept_network(curr_network):
    copy_network = dc(curr_network)
    for n in copy_network.nodes():
        """ Old way that didn't account for dynamic updates
        current_node_class = copy_network.nodes[n]["data"].__class__
        #print(f"current_node_class = {current_node_class}")
        copy_network.nodes[n]["data"] = current_node_class(copy_network.nodes[n]["data"])
        
        """
        
        """
        New way:
        1) get the name of the class
        2) get a reference to the definition based on the current module definition 
        3) Use that instantiation
        
        """
        current_node_class_name = copy_network.nodes[n]["data"].__class__.__name__
        class_constructor = getattr(current_module,current_node_class_name)
        copy_network.nodes[n]["data"] = class_constructor(copy_network.nodes[n]["data"])
        
        
    return copy_network 
[docs]class Branch:
    """
    Class that will hold one continus skeleton
    piece that has no branching
    """
        
[docs]    def __init__(self,
                skeleton,
                width=None,
                mesh=None,
                mesh_face_idx=None,
                 labels=[] #for any labels of that branch
        ):
        
        if str(type(skeleton)) == str(Branch):
            #print("Recived Branch object so copying object")
            #self = copy.deepcopy(skeleton)
            self.skeleton = dc(skeleton.skeleton).reshape(-1,2,3)
            self.mesh=dc(skeleton.mesh)
            self.width = dc(skeleton.width)
            self.mesh_face_idx = dc(skeleton.mesh_face_idx)
            
            #self.endpoints = dc(skeleton.endpoints)
            #doing the new storage and ordering skeletons
            self.calculate_endpoints()
            self.order_skeleton_by_smallest_endpoint()
            self._skeleton_graph = dc_check(skeleton,"_skeleton_graph")
            self._endpoints_nodes = dc_check(skeleton,"_endpoints_nodes")
            self.endpoints_upstream_downstream_idx = dc_check(skeleton,"endpoints_upstream_downstream_idx")
                
            
            
            self.mesh_center = dc(skeleton.mesh_center)
            
            
            
            if not self.mesh is None:
                self.mesh_center = tu.mesh_center_vertex_average(self.mesh)
            self.labels=dc(skeleton.labels)
            if not nu.is_array_like(self.labels):
                self.labels=[self.labels]
                
                
            self.spines = dc_check(skeleton,"spines")
            self.boutons = dc_check(skeleton,"boutons")
            self.boutons_cdfs = dc_check(skeleton,"boutons_cdfs")
            self.web = dc_check(skeleton,"web")
            self.web_cdf = dc_check(skeleton,"web_cdf")
            
            self.spines_volume = dc_check(skeleton,"spines_volume")
            self.boutons_volume = dc_check(skeleton,"boutons_volume")
            
            self.width_new = dc_check(skeleton,"width_new")
            
            if self.width_new is None:
                self.width_new = dict()
            self.width_array = dc_check(skeleton,"width_array")
            if self.width_array is None:
                self.width_array = dict()
                
            self.width_array_skeletal_lengths = dc_check(skeleton,"width_array_skeletal_lengths")
                
            #copying over of the synapse data
            syn_types = ["synapses"]#list(syu.synapse_types.values())
            for s_id in syn_types:
                setattr(self,s_id,dc_check(skeleton,s_id))
                if getattr(self,s_id) is None:
                    setattr(self,s_id,[])
                
            self.spines_obj = dc_check(skeleton,"spines_obj")
            if self.spines_obj is None:
                self.spines_obj = []
                
            self.head_neck_shaft_idx = dc_check(skeleton,"head_neck_shaft_idx")
            self._mesh_volume = dc_check(skeleton,"_mesh_volume")
            #self._mesh_area = dc_check(skeleton,"_mesh_area")
                
            if self.spines_volume is not None:
                self.spines_volume = list(self.spines_volume)
            if self.spines is not None:
                self.spines = list(self.spines)
                
                
            self._skeleton_vector_upstream = dc_check(skeleton,"_skeleton_vector_upstream")
            self._skeleton_vector_downstream = dc_check(skeleton,"_skeleton_vector_downstream")
            self._width_downstream = dc_check(skeleton,"_width_downstream")
            self._width_upstream = dc_check(skeleton,"_width_upstream")
            
            
            return 
            
        self.skeleton=skeleton.reshape(-1,2,3)
        self._skeleton_graph = None
        self._endpoints_nodes = None
        self.mesh=mesh
        self.width=width
        self.mesh_face_idx = mesh_face_idx
        self._mesh_volume = None
        self.endpoints_upstream_downstream_idx = None
        
        #calculate the end coordinates of skeleton branch
        self.calculate_endpoints()
        self.order_skeleton_by_smallest_endpoint()
        self.mesh_center = None
        if not self.mesh is None:
            self.mesh_center = tu.mesh_center_vertex_average(self.mesh)
        self.labels=labels
        if not nu.is_array_like(self.labels):
            self.labels=[self.labels]
            
        
        self.spines = None
        self.boutons = None
        self.spines_volume = None
        self.boutons_volume = None
        self.boutons_cdfs = None
        
        self.web = None
        self.web_cdf = None
        self.width_new = dict()
        self.width_array = dict()
        self.width_array_skeletal_lengths = None
        self.synapses = []
        self.spines_obj = []
        
        self.head_neck_shaft_idx = None
        
        self._skeleton_vector_upstream = None
        self._skeleton_vector_downstream = None
        self._width_downstream = None
        self._width_upstream = None 
        
        
        
        
    """
    --- Branch comparison:
    'endpoints', #sort them by row and then subtract and then if distance is within threshold then equal
    'labels',
    'mesh',
    'mesh_center',
    'skeleton', : how do we compare skeletons? (compare just like a networkx graph)
    --> convert to networkx graph
    --> define functions that make nodes equal if within a certain distance
    --> define function that makes edges equal if have same distance
    'width'
    """
    
    
    
[docs]    def calculate_endpoints(self):
        self.endpoints = sk.find_branch_endpoints(self.skeleton) 
        
[docs]    def order_skeleton_by_smallest_endpoint(self):
        self.skeleton = sk.order_skeleton(
                        self.skeleton,
        ) 
        
    @property
    def compartment(self):
        return apu.compartment_from_branch(self)
        
    @property
    def endpoint_upstream(self):
        return self.endpoints[self.endpoints_upstream_downstream_idx[0]]
    @property
    def endpoint_downstream(self):
        return self.endpoints[self.endpoints_upstream_downstream_idx[1]]
    
    @property
    def endpoint_upstream_with_offset(self):
        return bu.endpoint_upstream_with_offset(self)
    
    @property
    def endpoint_downstream_with_offset(self):
        return bu.endpoint_downstream_with_offset(self)
    
    @property
    def width_array_upstream_to_downstream(self):
        return bu.width_array_upstream_to_downstream(self,verbose = False)
    
    @property
    def width_array_skeletal_lengths_upstream_to_downstream(self):
        return bu.width_array_skeletal_lengths_upstream_to_downstream(self,verbose = False)
    
    @property
    def skeletal_coordinates_upstream_to_downstream(self):
        return bu.skeletal_coordinates_upstream_to_downstream(self,verbose = False)
    
    @property
    def skeletal_coordinates_dist_upstream_to_downstream(self):
        return bu.skeletal_coordinates_dist_upstream_to_downstream(self,verbose = False)
    
#     @property
#     def width_array_upstream_to_downstream(self):
#         for 
    
    @property
    def mesh_shaft(self):
        return bu.mesh_shaft(self)
    
    @property
    def mesh_shaft_idx(self):
        return bu.mesh_shaft_idx(self)
    
    @property
    def mesh_center_x(self):
        return self.mesh_center[0]
    @property
    def mesh_center_y(self):
        return self.mesh_center[1]
    @property
    def mesh_center_z(self):
        return self.mesh_center[2]
    
    @property
    def width_overall(self):
        return nst.width_new(self)
    
    @property
    def endpoint_upstream_x(self):
        return self.endpoint_upstream[0]
    @property
    def endpoint_upstream_y(self):
        return self.endpoint_upstream[1]
    @property
    def endpoint_upstream_z(self):
        return self.endpoint_upstream[2]
    
    
    @property
    def endpoint_downstream_x(self):
        return self.endpoint_downstream[0]
    @property
    def endpoint_downstream_y(self):
        return self.endpoint_downstream[1]
    @property
    def endpoint_downstream_z(self):
        return self.endpoint_downstream[2]
    
    
    
    
    @property
    def skeleton_vector_upstream(self):
        """
        the skelelton vector near upstream coordinate where the vector is oriented in the skeletal walk direction away from the soma
        """
        if self._skeleton_vector_upstream is None:
            self._skeleton_vector_upstream = bu.skeleton_vector_upstream(self)
        return self._skeleton_vector_upstream 
    
    @property
    def skeleton_vector_downstream(self):
        """
        the skelelton vector near downstream coordinate where the vector is oriented in the skeletal walk direction away from the soma
        """
        if self._skeleton_vector_downstream is None:
            self._skeleton_vector_downstream = bu.skeleton_vector_downstream(self)
        return self._skeleton_vector_downstream
    
    @property
    def width_upstream(self):
        if self._width_upstream is None:
            self._width_upstream = bu.width_upstream(self)
        return self._width_upstream 
    
    @property
    def width_downstream(self):
        if self._width_downstream is None:
            self._width_downstream = bu.width_downstream(self)
        return self._width_downstream 
    
    @property
    def min_dist_synapses_pre_upstream(self):
        return bu.min_dist_synapses_pre_upstream(self)
    @property
    def min_dist_synapses_post_upstream(self):
        return bu.min_dist_synapses_post_upstream(self)
    
    @property
    def min_dist_synapses_pre_downstream(self):
        return bu.min_dist_synapses_pre_downstream(self)
    @property
    def min_dist_synapses_post_downstream(self):
        return bu.min_dist_synapses_post_downstream(self)
    
    
    
    @property
    def mesh_volume(self):
        if self._mesh_volume is None:
            try:
                self._mesh_volume = tu.mesh_volume(self.mesh)
            except:
                self._mesh_volume = 0
        divisor=1_000_000_000
        return self._mesh_volume/divisor
    
    @property
    def area(self):
        """
        dictionary mapping the index to the 
        """
        divisor=1_000_000
        return self.mesh.area/divisor
    
    @property
    def skeletal_length(self):
        return sk.calculate_skeleton_distance(self.skeleton)
    
    @property
    def n_spines(self):
        return nru.n_spines(self)
    
    @property
    def n_boutons(self):
        return nru.n_boutons(self)
    
    @property
    def n_web(self):
        return nru.n_web(self)
    
    @property
    def spine_density(self):
        return nru.spine_density(self)
    
    @property
    def total_spine_volume(self):
        return nru.total_spine_volume(self)
    
    @property
    def spine_volume_median(self):
        return nru.spine_volume_median(self)
    
    @property
    def spine_volume_density(self):
        return nru.spine_volume_density(self)
    
    @property
    def skeletal_length_eligible(self):
        return sk.calculate_skeleton_distance(self.skeleton) 
    
    
    '''
    def compute_spines_volume(self,
              max_hole_size=2000,
              self_itersect_faces=False):
        if self.spines is None:
            self.spines_volume = None
        else:
            self.spines_volume = [tu.mesh_volume(sp,verbose=False) for sp in self.spines]
    '''
    
[docs]    def compute_spines_volume(self,
              max_hole_size=2000,
              self_itersect_faces=False):
        nru.compute_mesh_attribute_volume(self,
                                         mesh_attribute="spines",
                                         max_hole_size=max_hole_size,
                                         self_itersect_faces=self_itersect_faces) 
[docs]    def compute_boutons_volume(self,
              max_hole_size=2000,
              self_itersect_faces=False):
        nru.compute_mesh_attribute_volume(self,
                                         mesh_attribute="boutons",
                                         max_hole_size=max_hole_size,
                                         self_itersect_faces=self_itersect_faces) 
        
    
    
    def __eq__(self,other):
        #print("inside equality function")
        """
        Purpose: Computes equality of all members except the face_idx (will print out if not equal)
        
        Examples: 
        
        tu = reload(tu)
        neuron= reload(neuron)
        B1 = neuron.Branch(copy.deepcopy(double_soma_obj.concept_network.nodes["L1"]["data"].concept_network.nodes[0]["data"]))
        B2= copy.deepcopy(B1)
        #initial comparison was equal
        #B1 == B2
        #when changed the skeleton was not equal
        # B2.skeleton[0][0] = [2,3,4]
        # B1 == B2
        #when changed the labels was not equal
        # B1.labels=["new Labels"]
        # B1 == B2
        B2.mesh = B2.mesh.submesh([np.arange(0,len(B2.mesh.faces)-5)],append=True)
        B1 != B2
        # B1 != B2
        
        """
        print_flag = True
        differences = []
        
        #comparing the meshes
        if not tu.compare_meshes_by_face_midpoints(self.mesh,other.mesh):
            differences.append(f"mesh didn't match"
                               f"\n    self.mesh = {self.mesh},"
                               f" other.mesh = {other.mesh}") 
        
        if not xu.compare_endpoints(self.endpoints,other.endpoints):
            differences.append(f"endpoints didn't match: "
                               f"\n    self.endpoints = {self.endpoints}, other.endpoints = {other.endpoints}")
        
        if set(self.labels) != set(other.labels):
            differences.append(f"labels didn't match: "
                               f"\n    self.labels = {self.labels}, other.labels = {other.labels}")
            
        if not nu.compare_threshold(self.mesh_center,other.mesh_center):
            differences.append(f"mesh_center didn't match: "
                               f"\n    self.mesh_center = {self.mesh_center}, other.mesh_center = {other.mesh_center}")
            
        if not nu.compare_threshold(self.width,other.width):
            differences.append(f"width didn't match: "
                               f"\n    self.width = {self.width}, other.width = {other.width}")
            
        if not sk.compare_skeletons_ordered(self.skeleton,other.skeleton):
            differences.append(f"Skeleton didn't match")
        
        #print out if face idx was different but not make part of the comparison
        if set(self.mesh_face_idx) != set(other.mesh_face_idx):
            #print("*** Warning: mesh_face_idx didn't match (but not factored into equality comparison)")
            pass
        
        
        if len(differences) == 0:
            return True
        else:
            if print_flag:
                print("Differences List:")
                for j,diff in enumerate(differences):
                    print(f"{j})   {diff}")
            return False
        
    
    def __ne__(self,other):
        #print(f"self.__eq__(other) = {self.__eq__(other)}")
        return not self.__eq__(other)
    
    
    # -------- 6/8 Addition For quick skeleton ------- #
    @property
    def skeleton_graph(self):
        if self._skeleton_graph is None:
            self._skeleton_graph = sk.convert_skeleton_to_graph(self.skeleton)
        return self._skeleton_graph
    
    @property 
    def endpoints_nodes(self):
        if self._endpoints_nodes is None:
            self._endpoints_nodes = [xu.get_graph_node_by_coordinate(self.skeleton_graph,k)
                                    for k in self.endpoints]
            
        return self._endpoints_nodes
    @property
    def n_synapses(self):
        return syu.n_synapses(self)
    
    @property
    def synapse_density(self):
        return syu.synapse_density(self)
    
    @property
    def synapses_pre(self):
        return syu.synapses_pre(self)
    
    @property
    def n_synapses_pre(self):
        return syu.n_synapses_pre(self)
    
    @property
    def n_synapses_post(self):
        return syu.n_synapses_post(self)
    
    @property
    def synapses_post(self):
        return syu.synapses_post(self)
    
    @property
    def synapse_density_pre(self):
        return syu.synapse_density_pre(self)
    
    @property
    def synapse_density_post(self):
        return syu.synapse_density_post(self)
    
    @property
    def axon_compartment(self):
        if "axon" in self.labels:
            return "axon"
        else:
            return "dendrite"
        
    # ------- 7/21: The synapse head/neck/shaft ----
    @property
    def synapses_head(self):
        return syu.synapses_head(self)
    
    @property
    def synapses_neck(self):
        return syu.synapses_neck(self)
    
    @property
    def synapses_shaft(self):
        return syu.synapses_shaft(self)
    
    @property
    def synapses_spine(self):
        return syu.synapses_spine(self)
    
    @property
    def synapses_no_head(self):
        return syu.synapses_no_head(self)
    
    @property
    def n_synapses_head(self):
        return syu.n_synapses_head(self)
    
    @property
    def n_synapses_neck(self):
        return syu.n_synapses_neck(self)
    
    @property
    def n_synapses_shaft(self):
        return syu.n_synapses_shaft(self)
    
    @property
    def n_synapses_spine(self):
        return syu.n_synapses_spine(self)
    
    @property
    def n_synapses_no_head(self):
        return syu.n_synapses_no_head(self) 
    
[docs]class Limb:
    """
    Class that will hold one continus skeleton
    piece that has no branching (called a limb)
    
    3) Limb Process: For each limb made 
    a. Build all the branches from the 
        - mesh
        - skeleton
        - width
        - branch_face_idx
    b. Pick the top concept graph (will use to store the nodes)
    c. Put the branches as "data" in the network
    d. Get all of the starting coordinates and starting edges and put as member attributes in the limb
    """
[docs]    def __init__(self,
                             mesh,
                             curr_limb_correspondence=None,
                             concept_network_dict=None,
                             mesh_face_idx=None,
                            labels=None,
                             branch_objects = None,#this will have a dictionary mapping to the branch objects if provided
                             deleted_edges = None,
                             created_edges = None,
                            verbose=False):
        
        
        """
        Allow for an initialization of a limb with another limb oconcept_network_dictbject
        
        Parts that need to be copied over:
        'all_concept_network_data',
         'concept_network',
         'concept_network_directional',
         'current_starting_coordinate',
         'current_starting_endpoints',
         'current_starting_node',
         
         'current_starting_soma',
         'label',
         'mesh',
         'mesh_center',
         'mesh_face_idx'
         
        """
        if labels is None:
            labels = []
        
        if deleted_edges is None:
            deleted_edges = []
            
        if created_edges is None:
            created_edges = []
        
        
        if branch_objects is None:
            branch_objects = dict()
        
        if str(type(mesh)) == str(Limb):
            #print("Recived Limb object so copying object")
            # properties we are copying: [k for k in dir(example_limb) if "__" not in k]
            
            self.all_concept_network_data = dc(mesh.all_concept_network_data)
            self.concept_network=copy_concept_network(mesh.concept_network)
            #want to do and copy the meshes in each of the networks to make sure their properties update
            self.concept_network_directional = copy_concept_network(mesh.concept_network_directional)
            #want to do and copy the meshes in each of the networks to make sure their properties update
            self.current_starting_coordinate = dc(mesh.current_starting_coordinate)
            self.current_starting_endpoints = dc(mesh.current_starting_endpoints)
            self.current_starting_node = dc(mesh.current_starting_node)
            
            
            
            attributes_to_set = dict(current_touching_soma_vertices=None,
                                current_soma_group_idx = None,
                                deleted_edges = [],
                                created_edges = [])
            for attr,attr_v in attributes_to_set.items():
                if hasattr(mesh,attr):
                    setattr(self,attr,dc(getattr(mesh,attr)))
                else:
                    setattr(self,attr,attr_v)
            self.current_starting_soma = dc(mesh.current_starting_soma)
            self.labels = dc(mesh.labels)
            if not nu.is_array_like(self.labels):
                self.labels=[self.labels]
            self.mesh = dc(mesh.mesh)
            self.mesh_center = dc(mesh.mesh_center)
            self.mesh_face_idx = dc(mesh.mesh_face_idx)
            self._index = -1
            
            # axon spines and short thick endnodes
            self.axon_spines = dc_check(mesh,"axon_spines",default_value = np.array([]))
            self.short_thick_endnodes = dc_check(mesh,"short_thick_endnodes",default_value = np.array([]))
            
            
            return 
        
        debug_edges = False
        
        if debug_edges:
            print(f"before set: deleted_edges={deleted_edges}")
            print(f"before set: created_edges={created_edges}")
            
            
        self.axon_spines =np.array([])
        self.short_thick_endnodes = np.array([])
        
        self._index = -1
        self.mesh=mesh
        
        #checking that some of arguments aren't None
        if curr_limb_correspondence is None:
            raise Exception("curr_limb_correspondence is None before start of Limb processing in init")
        if concept_network_dict is None:
            raise Exception("concept_network_dict is None before start of Limb processing in init")
        
        #make sure it is a list
        if not nu.is_array_like(labels):
            labels=[labels]
            
        self.labels=labels
        
        #All the stuff dealing with the concept graph
        
        if verbose:
            print(f"concept_network_dict = {concept_network_dict}")
        if len(concept_network_dict) > 0:
            concept_network_data = nru.get_starting_info_from_concept_network(concept_network_dict)
            #print(f"concept_network_data = {concept_network_data}")
            current_concept_network = concept_network_data[0]
            
            self.current_starting_coordinate = current_concept_network["starting_coordinate"]
            self.current_starting_node = current_concept_network["starting_node"]
            self.current_starting_endpoints = current_concept_network["starting_endpoints"]
            self.current_starting_soma = current_concept_network["starting_soma"]
            self.current_touching_soma_vertices = current_concept_network["touching_soma_vertices"]
            self.current_soma_group_idx = current_concept_network["soma_group_idx"]
            self.concept_network = concept_network_dict[self.current_starting_soma][self.current_soma_group_idx]
            
            self.all_concept_network_data = concept_network_data
        else:
            self.current_starting_coordinate = None
            self.current_starting_node = None
            self.current_starting_endpoints = None
            self.current_starting_soma = None
            self.current_touching_soma_vertices = None
            self.current_soma_group_idx = None
            self.concept_network = None
            
            self.all_concept_network_data = []
            
        
        #get all of the starting coordinates an
        self.mesh_face_idx = mesh_face_idx
        
        if self.mesh is not None:
            self.mesh_center = tu.mesh_center_vertex_average(self.mesh)
        else:
            self.mesh_center = None
        
        #just adding these in case could be useful in the future (what we computed for somas)
        #self.volume_ratio = sm.soma_volume_ratio(self.mesh)
        #self.side_length_ratios = sm.side_length_ratios(self.mesh)
        
        #Start with the branch stuff
        """
        a. Build all the branches from the 
        - mesh
        - skeleton
        - width
        - branch_face_idx
        b. Pick the top concept graph (will use to store the nodes)
        c. Put the branches as "data" in the network
        """
        suppress_disconnected_errors=False
        for j,branch_data in curr_limb_correspondence.items():
            if (not branch_objects is None) and j in branch_objects:
                #print(f"using existing branch object for node {j}")
                branch_obj = branch_objects[j]
            else:
                curr_skeleton = branch_data["branch_skeleton"]
                curr_width = branch_data["width_from_skeleton"]
                curr_mesh = branch_data["branch_mesh"]
                curr_face_idx = branch_data["branch_face_idx"]
                branch_obj = Branch(
                                    skeleton=curr_skeleton,
                                    width=curr_width,
                                    mesh=curr_mesh,
                                   mesh_face_idx=curr_face_idx,
                                    labels=[],
                )
            
            if j not in self.concept_network:
                self.concept_network.add_node(j)
                suppress_disconnected_errors=True
            
            
            #Set all  of the branches as data in the nodes
            xu.set_node_data(self.concept_network,
                            node_name=j,
                            curr_data=branch_obj,
                             curr_data_label="data"
                            )
            
        #Setting the concept network
        self.deleted_edges =deleted_edges
        self.created_edges = created_edges
        
        if debug_edges:
            print(f"self.deleted_edges = {self.deleted_edges}")
            print(f"self.created_edges = {self.created_edges}")
            
        if self.current_starting_coordinate is not None:
        
            self.set_concept_network_edges_from_current_starting_data()
            self.concept_network_directional = self.convert_concept_network_to_directional(no_cycles = True,
                                                                                suppress_disconnected_errors=suppress_disconnected_errors)
        else:
            self.concept_network_directional = None
        
        if debug_edges:
            print(f"self.deleted_edges = {self.deleted_edges}")
            print(f"self.created_edges = {self.created_edges}") 
            
    @property
    def current_starting_soma_vertices(self):
        return self.current_touching_soma_vertices    
    
[docs]    def set_branches_endpoints_upstream_downstream_idx(self):
        bu.set_branches_endpoints_upstream_downstream_idx_on_limb(self) 
        
    @property
    def mesh_volume(self):
        return nru.sum_feature_over_branches(self,
                             self.get_branch_names(),
                             "mesh_volume")
    
    @property
    def branches(self):
        return [k for k in self]
    
    @property
    def area(self):
        """
        dictionary mapping the index to the 
        """
        if len(self.branch_objects) > 0:
            return np.sum([k.area for k in self])
        else:
            return 0
        
    @property
    def skeletal_length(self):
        """
        dictionary mapping the index to the 
        """
        if len(self.branch_objects) > 0:
            return np.sum([k.skeletal_length for k in self])
        else:
            return 0
    
    @property
    def branch_objects(self):
        """
        dictionary mapping the index to the 
        """
        return dict([(i,k) for i,k in enumerate(self)])
    
    @property 
    def n_branches(self):
        """
        number of branches in the limb
        """
        return len(self)
    
    
    @property
    def network_starting_info(self):
        """
        Purpose: will generate the dictionary that is organized
        soma_idx --> soma_group_idx --> dict(touching_verts,endpoint)
        
        that can be used to generate a concept network from 
        
        """
        st_dict = dict()
        for st in self.all_concept_network_data:
            soma_idx = st["starting_soma"] 
            soma_group_idx = st["soma_group_idx"] 
            if st["starting_soma"] not in st_dict.keys():
                st_dict[soma_idx] = dict()
            st_dict[soma_idx][soma_group_idx] = dict(touching_verts=st["touching_soma_vertices"],
                                                    endpoint=st["starting_coordinate"])
        return st_dict
    
    @property
    def all_starting_coordinates(self):
        """
        Purpose: will generate the dictionary that is organized
        soma_idx --> soma_group_idx --> dict(touching_verts,endpoint)
        
        that can be used to generate a concept network from 
        
        """
        start_coordinates = []
        for st in self.all_concept_network_data:
            start_coordinates.append(st["starting_coordinate"])
            
        start_coordinates = np.array(start_coordinates).reshape(-1,3)
        return start_coordinates
    
    @property
    def all_starting_nodes(self):
        """
        Purpose: will generate the dictionary that is organized
        soma_idx --> soma_group_idx --> dict(touching_verts,endpoint)
        
        that can be used to generate a concept network from 
        
        """
        starting_nodes = []
        for st in self.all_concept_network_data:
            starting_nodes.append(st["starting_node"])
            
        return starting_nodes
    
    @property
    def limb_correspondence(self):
        self._index = -1
        limb_corr = dict()
        #for idx,b in enumerate(self):
        for idx in self.get_branch_names():
            b = self[idx]
            curr_width = b.width    
            try:
                curr_width = b.width_new["median_mesh_center"]
            except:
                pass
            limb_corr[idx] = dict(branch_skeleton=b.skeleton,
                                  width_from_skeleton = curr_width,
                                 branch_mesh = b.mesh,
                                 branch_face_idx = b.mesh_face_idx,
                                 )
        
            
        return limb_corr
    
    @property
    def divided_skeletons(self):
        curr_corr = self.limb_correspondence
        return np.array([curr_corr[k]["branch_skeleton"] for k in np.sort(list(curr_corr.keys()))])
        
        
    @property
    def n_spines(self):
        return nru.n_spines(self)
    
    
    @property
    def n_boutons(self):
        return nru.n_boutons(self)
    
    @property
    def n_web(self):
        return nru.n_web(self)
    
    
    @property
    def spines(self):
        return nru.feature_list_over_object(self,"spines")
    
    @property
    def synapses(self):
        return nru.feature_list_over_object(self,"synapses")
    
    @property
    def spines_obj(self):
        return nru.feature_list_over_object(self,"spines_obj")
    
    @property
    def n_synapses(self):
        return syu.n_synapses(self)
    
    @property
    def synapses_pre(self):
        return syu.synapses_pre(self)
    
    @property
    def n_synapses_pre(self):
        return syu.n_synapses_pre(self)
    
    @property
    def n_synapses_post(self):
        return syu.n_synapses_post(self)
    
    @property
    def synapses_post(self):
        return syu.synapses_post(self)
    
    @property
    def synapse_density_pre(self):
        return syu.synapse_density_pre(self)
    
    @property
    def synapse_density_post(self):
        return syu.synapse_density_post(self)
    
    @property
    def boutons(self):
        return nru.feature_list_over_object(self,"boutons")
    
    @property
    def web(self):
        return nru.feature_list_over_object(self,"web")
    @property
    def spines_volume(self):
        return list(nru.feature_list_over_object(self,"spines_volume"))
    @property
    def boutons_volume(self):
        return nru.feature_list_over_object(self,"boutons_volume")
    
[docs]    def compute_spines_volume(self):
        nru.compute_feature_over_object(self,"spines_volume") 
[docs]    def compute_boutons_volume(self):
        nru.compute_feature_over_object(self,"boutons_volume") 
        
        
    ''' older less efficient way
    @property
    def spines(self):
        self._index = -1
        total_spines = []
        for b in self:
            if not b.spines is None:
                total_spines += b.spines
        return total_spines
    
    @property
    def boutons(self):
        self._index = -1
        total_spines = []
        for b in self:
            if not b.boutons is None:
                total_spines += b.boutons
        return total_spines
    
    
    
    @property
    def spines_volume(self):
        self._index = -1
        total_spines_volume = []
        for b in self:
            if not b.spines_volume is None:
                total_spines_volume += b.spines_volume
        return total_spines_volume
    
    @property
    def boutons_volume(self):
        self._index = -1
        total_boutons_volume = []
        for b in self:
            if not b.boutons_volume is None:
                total_boutons_volume += b.boutons_volume
        return total_boutons_volume
    
    def compute_spines_volume(self):
        self._index = -1
        for b in self:
            b.compute_spines_volume()
            
    def compute_boutons_volume(self):
        self._index = -1
        for b in self:
            b.compute_boutons_volume()'''
    
    
    
[docs]    def get_branch_names(self,ordered=True,return_int=True):
        node_names = np.sort(list(self.concept_network.nodes()))
        if return_int:
            return node_names.astype("int")
        else:
            return node_names 
    
[docs]    def get_skeleton(self,check_connected_component=True):
        """
        Purpose: Will return the entire skeleton of all the branches
        stitched together
        
        """
        return nru.convert_limb_concept_network_to_neuron_skeleton(self.concept_network,
                             check_connected_component=check_connected_component) 
    
    @property
    def skeleton(self,check_connected_component=False):
        """
        Purpose: Will return the entire skeleton of all the branches
        stitched together
        
        """
        return nru.convert_limb_concept_network_to_neuron_skeleton(self.concept_network,
                             check_connected_component=check_connected_component)
    
[docs]    def get_concept_network_data_by_soma(self,soma_idx=None):
        #compile a dictionary of all of the starting material
        return_dict = dict()
        for curr_data in self.all_concept_network_data:
            return_dict[curr_data["starting_soma"]] = dict([(k,v) for k,v in curr_data.items() if k != "starting_soma"])
        if not soma_idx is None:
            return return_dict[soma_idx]
        else:
            return return_dict 
    
    
    
[docs]    def get_concept_network_data_by_soma_and_idx(self,soma_idx,soma_group_idx):
        return_dict = []
        for curr_data in self.all_concept_network_data:
            if curr_data["soma_group_idx"] == soma_group_idx and curr_data["starting_soma"] == soma_idx:
                return_dict.append(curr_data)
        
        if len(return_dict) != 1:
            raise Exception(f"Did not find exactly one starting dictionary for soma_idx {soma_idx}, soma_group_idx {soma_group_idx}: {len(return_dict)} ")
        else:
            return return_dict[0] 
         
    
    @property
    def concept_network_data_by_soma(self):
        #compile a dictionary of all of the starting material
        return_dict = dict()
        for curr_data in self.all_concept_network_data:
            return_dict[curr_data["starting_soma"]] = dict([(k,v) for k,v in curr_data.items() if k != "starting_soma"])
        return return_dict
    
    @property
    def concept_network_data_by_starting_node(self):
        #compile a dictionary of all of the starting material
        return_dict = dict()
        for curr_data in self.all_concept_network_data:
            return_dict[curr_data["starting_node"]] = dict([(k,v) for k,v in curr_data.items() if k != "starting_node"])
        return return_dict
    
[docs]    def touching_somas(self):
        """
        The soma identifiers that a current limb is adjacent two (useful for finding paths to cut for multi-soma or multi-touch limbs
        """
        return [k["starting_soma"] for k in self.all_concept_network_data if k["starting_soma"] >= 0] 
    
    
    '''    
        def get_soma_starting_coordinate(self,starting_soma,print_flag=False):
            """
            This function can now be replaced by 
            curr_limb_obj.concept_network_data_by_soma[soma_idx]["starting_coordinate"]
            """
            if starting_soma not in self.touching_somas():
                raise Exception(f"Current limb does not touch soma {starting_soma}")
            matching_concept_network_data = [k for k in self.all_concept_network_data if ((k["starting_soma"] == starting_soma) or (nru.soma_label(k["starting_soma"]) == starting_soma))]
            if len(matching_concept_network_data) != 1:
                raise Exception(f"The concept_network data for the starting soma ({starting_soma}) did not have exactly one match: {matching_concept_network_data}")
            else:
                return matching_concept_network_data[0]["starting_coordinate"]
        '''
    
[docs]    def get_skeleton_soma_starting_node(self,soma,print_flag=False):
        """
        Purpose: from the all
        
        """
        if type(soma) == str:
            soma = int(soma[1:])
        
        #limb_starting_coordinate = self.get_soma_starting_coordinate(soma)
        limb_starting_coordinate = self.concept_network_data_by_soma[soma]["starting_coordinate"]
        if print_flag:
            print(f"limb_starting_coordinate = {limb_starting_coordinate}")
        limb_skeleton_graph = sk.convert_skeleton_to_graph(self.skeleton)
        sk_starting_node = xu.get_nodes_with_attributes_dict(limb_skeleton_graph,
                                      attribute_dict=dict(coordinates=limb_starting_coordinate))
        if len(sk_starting_node) != 1:
            raise Exception(f"Not exactly one skeleton starting node: sk_starting_node = {sk_starting_node}")
        return sk_starting_node[0] 
    
[docs]    def get_starting_branch_by_soma(self,soma,print_flag=False):
        """
        Purpose: from the all
        
        """
        if type(soma) == str:
            soma = int(soma[1:])
        
        return self.concept_network_data_by_soma[soma]["starting_node"] 
    
[docs]    def get_soma_by_starting_node(self,starting_node,print_flag=False):
        """
        Purpose: from the all
        
        """
        
        return self.concept_network_data_by_starting_node[starting_node]["starting_soma"] 
    
[docs]    def get_soma_group_by_starting_node(self,starting_node,print_flag=False):
        """
        Purpose: from the all
        
        """
        
        return self.concept_network_data_by_starting_node[starting_node]["soma_group_idx"] 
    
    
[docs]    def find_branch_by_skeleton_coordinate(self,target_coordinate):
    
        """
        Purpose: To be able to find the branch where the skeleton point resides
        Pseudocode: 
        For each branch:
        1) get the skeleton
        2) ravel the skeleton into a numpy array
        3) searh for that coordinate:
        - if returns a non empty list then add to list
        """
        matching_node = []
        for n in self.concept_network.nodes():
            curr_skeleton_points = self.concept_network.nodes[n]["data"].skeleton.reshape(-1,3)
            row_matches = nu.matching_rows(curr_skeleton_points,target_coordinate)
            if len(row_matches) > 0:
                matching_node.append(n)
        if len(matching_node) > 1: 
            print(f"***Warning More than one branch skeleton matches the desired corrdinate: {matching_node}")
        elif len(matching_node) == 1:
            matching_node = matching_node[0]
        else:
            raise Exception("No matching branches found")
        return matching_node 
    
    
[docs]    def convert_concept_network_to_directional(self,no_cycles = True,width_source=None,print_flag=False,
                                              suppress_disconnected_errors=False,
                                              convert_concept_network_to_directional_verbose = False):
        """
        
        
        Example on how it was developed: 
        
        from datasci_tools import numpy_dep as np
        from datasci_tools import networkx_utils as xu
        xu = reload(xu)
        import matplotlib.pyplot as plt
        from neurd import neuron_utils as nru
        
        curr_limb_idx = 0
        no_cycles = True
        curr_limb_concept_network = my_neuron.concept_network.nodes[f"L{curr_limb_idx}"]["data"].concept_network 
        curr_neuron_mesh =  my_neuron.mesh
        curr_limb_mesh =  my_neuron.concept_network.nodes[f"L{curr_limb_idx}"]["data"].mesh
        nx.draw(curr_limb_concept_network,with_labels=True)
        plt.show()
        mesh_widths = dict([(k,curr_limb_concept_network.nodes[k]["data"].width) for k in curr_limb_concept_network.nodes() ])
        directional_concept_network = nru.convert_concept_network_to_directional(curr_limb_concept_network,no_cycles=True)
        nx.draw(directional_concept_network,with_labels=True)
        plt.show()
        """
        if self.concept_network is None:
            raise Exception("Cannot use convert_concept_nextwork_to_directional on limb if concept_network is None")
            
        curr_limb_concept_network = self.concept_network    
        
        #make sure that there is one and only one starting node embedded in the graph
        try: 
            xu.get_starting_node(curr_limb_concept_network)
        except:
            print("There was not exactly one starting nodes in the current self.concept_network"
                  " when trying to convert to concept network ")
            xu.get_starting_node(curr_limb_concept_network)
        
        if width_source is None:
            #check to see if the mesh center width is available
            try:
                if "no_spine_average_mesh_center" in curr_limb_concept_network.nodes[0]["data"].width_new.keys():
                    width_source = "no_spine_average_mesh_center"
                else:
                    width_source = "width"
            except:
                width_source = "width"
        
        if print_flag:
            print(f"width_source = {width_source}, type = {type(width_source)}")
        
        if width_source == "width":
            if print_flag:
                print("Using the default width")
            node_widths = dict([(k,curr_limb_concept_network.nodes[k]["data"].width) for k in curr_limb_concept_network.nodes() ])
        else:
            if print_flag:
                print(f"Using the {width_source} in width_new that was calculated")
            node_widths = dict([(k,curr_limb_concept_network.nodes[k]["data"].width_new[width_source]) for k in curr_limb_concept_network.nodes() ])
            
        if print_flag:
            print(f"node_widths= {node_widths}")
            
            
        
        directional_concept_network = nru.convert_concept_network_to_directional(
            curr_limb_concept_network,
            node_widths=node_widths,                                                    
            no_cycles=no_cycles,
            suppress_disconnected_errors =suppress_disconnected_errors,
            verbose = convert_concept_network_to_directional_verbose)
                                                                            
        
        return directional_concept_network 
    
    
[docs]    def set_concept_network_directional(self,starting_soma=None,soma_group_idx=0,starting_node=None,print_flag=False,
                                       suppress_disconnected_errors=False,no_cycles = True,
                                        convert_concept_network_to_directional_verbose = False,**kwargs):
        """
        Pseudocode: 
        1) Get the current concept_network
        2) Delete the current starting coordinate
        3) Use the all_concept_network_data to find the starting node and coordinate for the
        starting soma specified
        4) set the starting coordinate of that node
        5) rerun the convert_concept_network_to_directional and set the output to the self attribute
        Using: 
        self.concept_network_directional = self.convert_concept_network_to_directional(no_cycles = True)
        
        Example: 
        
        from neurd import neuron_visualizations as nviz
        curr_limb_obj = recovered_neuron.concept_network.nodes["L1"]["data"]
        print(xu.get_starting_node(curr_limb_obj.concept_network_directional))
        print(curr_limb_obj.current_starting_coordinate)
        print(curr_limb_obj.current_starting_node)
        print(curr_limb_obj.current_starting_endpoints)
        print(curr_limb_obj.current_starting_soma)
        
        nviz.plot_concept_network(curr_limb_obj.concept_network_directional,
                         arrow_size=5,
                         scatter_size=3)
                         
        curr_limb_obj.set_concept_network_directional(starting_soma=1,print_flag=False)
        
        print(xu.get_starting_node(curr_limb_obj.concept_network_directional))
        print(curr_limb_obj.current_starting_coordinate)
        print(curr_limb_obj.current_starting_node)
        print(curr_limb_obj.current_starting_endpoints)
        print(curr_limb_obj.current_starting_soma)
        nviz.plot_concept_network(curr_limb_obj.concept_network_directional,
                                 arrow_size=5,
                                 scatter_size=3)
        
        Example 8/4:
        uncompressed_neuron_revised.concept_network.nodes["L1"]["data"].set_concept_network_directional(starting_soma=0,width_source="width",print_flag=True)
        
        """
        debug = False
        
        if not starting_node is None: 
            soma_group_idx = self.get_soma_group_by_starting_node(starting_node)
            starting_soma = self.get_soma_by_starting_node(starting_node)
            
        if soma_group_idx is None:
            soma_group_idx = 0
        else:
            soma_group_idx = nru.get_soma_int_name(soma_group_idx)
            
        
        if soma_group_idx == -1:
            soma_group_idx = self.current_soma_group_idx
            
        if debug:
            print(f"starting_node = {starting_node}")
            print(f"soma_group_idx = {soma_group_idx}")
            print(f"starting_soma = {starting_soma}")
            
            
        """  Old way:     
        
        matching_concept_network_data = [k for k in self.all_concept_network_data if ((k["starting_soma"] == starting_soma) or (nru.soma_label(k["starting_soma"]) == starting_soma))]
        if len(matching_concept_network_data) < 1:
            raise Exception(f"The concept_network data for the starting soma ({starting_soma}) did not have exactly one match: {matching_concept_network_data}")
            
        matching_concept_network_dict = matching_concept_network_data[soma_group_idx]
        
        """
        
        
        
        # ------- 1/19 New way ------------ #
        matching_concept_network_dict = nru.get_matching_concept_network_data(self,soma_idx=starting_soma,
                                                                          soma_group_idx=soma_group_idx,
                                     starting_node=starting_node,
                                     verbose=False)[0]
        
        #if debug:
        #print(f"matching_concept_network_dict = {matching_concept_network_dict}")
        
        
        
        #find which the starting_coordinate and starting_node
        previous_starting_node = xu.get_starting_node(self.concept_network,only_one=False)
        if len(previous_starting_node) > 1:
            print("**** Warning there were more than 1 starting nodes in concept networks"
                 f"\nprevious_starting_node = {previous_starting_node}")
        if len(previous_starting_node) == 0:
            print("**** Warning there were 0 starting nodes in concept networks"
                 f"\nprevious_starting_node = {previous_starting_node}")
        
        if print_flag:
            print(f"Deleting starting coordinate from nodes: {previous_starting_node}")
            
        for prev_st_node in previous_starting_node:
            del self.concept_network.nodes[prev_st_node]["starting_coordinate"]
            del self.concept_network.nodes[prev_st_node]["touching_soma_vertices"]
            del self.concept_network.nodes[prev_st_node]["soma_group_idx"]
            del self.concept_network.nodes[prev_st_node]["starting_soma"]
        
        
        
        
        #print(f"matching_concept_network_dict = {matching_concept_network_dict}")
        curr_starting_node = matching_concept_network_dict["starting_node"]
        curr_starting_coordinate= matching_concept_network_dict["starting_coordinate"]
        curr_touching_soma_vertices = matching_concept_network_dict["touching_soma_vertices"]
        curr_soma_group_idx = matching_concept_network_dict["soma_group_idx"]
        
        if debug:
            print("Applying the set_directional change!!!!")
            print(f"curr_touching_soma_vertices = {curr_touching_soma_vertices}")
        #set the starting coordinate in the concept network
        attrs = {curr_starting_node:{"starting_coordinate":curr_starting_coordinate,
                                    "touching_soma_vertices":curr_touching_soma_vertices,
                                    "soma_group_idx":curr_soma_group_idx,
                                    "starting_soma":starting_soma}
                }
        if print_flag:
            print(f"attrs = {attrs}")
        xu.set_node_attributes_dict(self.concept_network,attrs)
        
        if debug:
            print(f'self.concept_network.nodes[curr_starting_node] = {self.concept_network.nodes[curr_starting_node] }')
        #make sure only one starting coordinate
        new_starting_coordinate = xu.get_starting_node(self.concept_network)
        if print_flag:
            print(f"New starting coordinate at node {new_starting_coordinate}")
            
        
        self.current_starting_coordinate = matching_concept_network_dict["starting_coordinate"]
        self.current_starting_node = matching_concept_network_dict["starting_node"]
        self.current_starting_endpoints = matching_concept_network_dict["starting_endpoints"]
        self.current_starting_soma = matching_concept_network_dict["starting_soma"]
        self.current_touching_soma_vertices = matching_concept_network_dict["touching_soma_vertices"]
        self.current_soma_group_idx = matching_concept_network_dict["soma_group_idx"]
        
        """
        --- 1/4/2021 Change: Making so redoes the edges of the concept network when resetting the source
        
        
        """
        #Now need to reset the edges according to the new starting info
        self.set_concept_network_edges_from_current_starting_data()
        
        if print_flag or convert_concept_network_to_directional_verbose:
            self.concept_network_directional = self.convert_concept_network_to_directional(no_cycles = no_cycles,print_flag=print_flag,
                                                                                           suppress_disconnected_errors=suppress_disconnected_errors,
                                                                                           convert_concept_network_to_directional_verbose=convert_concept_network_to_directional_verbose,
                                                                                           **kwargs)
        else:
            with su.suppress_stdout_stderr():
                self.concept_network_directional = self.convert_concept_network_to_directional(no_cycles = no_cycles,print_flag=print_flag,
                                                                                               suppress_disconnected_errors=suppress_disconnected_errors,
                                                                                               **kwargs) 
        
        
[docs]    def set_concept_network_edges_from_current_starting_data(self,verbose=False):
        new_concept_network = nru.branches_to_concept_network(curr_branch_skeletons= self.divided_skeletons,
                                                                  starting_coordinate=self.current_starting_coordinate,
                                                                  starting_edge=self.current_starting_endpoints,
                                                                  touching_soma_vertices=self.current_touching_soma_vertices,
                                                                       soma_group_idx=self.current_soma_group_idx,
                                                                       verbose=False)
        
        
        
        self.concept_network.remove_edges_from(list(self.concept_network.edges()))
        self.concept_network.add_edges_from(list(new_concept_network.edges()))
        self.concept_network.remove_edges_from(self.deleted_edges)
        self.concept_network.add_edges_from(self.created_edges) 
        
        
    
        
    # ----------------- 9/2 To help with compression ------------------------- #
[docs]    def get_attribute_dict(self,attribute_name):
        attribute_dict = dict()
        #for branch_idx,curr_branch in enumerate(self):
        for branch_idx in self.get_branch_names():
            curr_branch = self[branch_idx]
            
            if hasattr(curr_branch,attribute_name):
                if attribute_name in branch_mesh_attributes:
                    if not getattr(curr_branch,attribute_name) is None:
                        curr_attr = getattr(curr_branch,attribute_name)
                        if nu.is_array_like(curr_attr):
                            attribute_dict[branch_idx] = [tu.original_mesh_faces_map(curr_branch.mesh,k) for k in curr_attr]
                        else:
                            attribute_dict[branch_idx] =tu.original_mesh_faces_map(curr_branch.mesh,curr_attr)
                    else:
                        attribute_dict[branch_idx] = None
                elif attribute_name in object_attributes:
                    curr_attr = getattr(curr_branch,attribute_name)
                    if curr_attr is not None:
                        if nu.is_array_like(curr_attr):
                            attribute_dict[branch_idx] = [k.export() for k in curr_attr]
                        else:
                            attribute_dict[branch_idx] = curr_attr.export()
                    else:
                        attribute_dict[branch_idx] = None
                else:
                    att_val = getattr(curr_branch,attribute_name)
                    if attribute_name == "spines_volume" and att_val is not None:
                        att_val  = list(att_val)
                    try: 
                        attribute_dict[branch_idx] = getattr(curr_branch,attribute_name)
                    except:
                        attribute_dict[branch_idx] = None
            else:
                attribute_dict[branch_idx] = None
            
        return attribute_dict 
    
[docs]    def set_attribute_dict(self,attribute_name,attribute_dict,verbose=False):
        for branch_idx,curr_branch in enumerate(self):
            if branch_idx in list(attribute_dict.keys()):
                if attribute_name in branch_mesh_attributes:
                    #print(f"     Branch {branch_idx}")
                    if not attribute_dict[branch_idx] is None:
                        try:
                        #print(f"curr_branch.mesh = {curr_branch.mesh}")
                            setattr(curr_branch,attribute_name,
                                    [curr_branch.mesh.submesh([k],append=True,repair=False) for k in attribute_dict[branch_idx]])
                        except:
                            setattr(curr_branch,attribute_name,
                                    curr_branch.mesh.submesh([attribute_dict[branch_idx]],append=True,repair=False))
                    else:
                        setattr(curr_branch,attribute_name,None)
                elif attribute_name in object_attributes:
                    if attribute_dict[branch_idx] is not None:
                        setattr(curr_branch,attribute_name,[object_name_to_class[attribute_name](**k) for k in attribute_dict[branch_idx]])
                    else:
                        setattr(curr_branch,attribute_name,None)
                else:
                    att_val = attribute_dict[branch_idx]
                    if attribute_name == "spines_volume" and att_val is not None:
                        att_val  = list(att_val)
                    setattr(curr_branch,attribute_name,att_val)
            else:
                if verbose:
                    print(f"Skipping attributes for Branch {branch_idx} because not in dictionary") 
                
[docs]    def set_computed_attribute_data(self,computed_attribute_data,print_flag=False):
        start_time = time.time()
        
        if computed_attribute_data is None:
            return
        
        for k,v in computed_attribute_data.items():
            self.set_attribute_dict(k,v) 
    
[docs]    def get_computed_attribute_data(self,
                                    attributes = computed_attribute_list,
                                    one_dict=True,
                                    print_flag=False):
        start_time = time.time()
        
        lookup_values = []
        lookup_dict = dict()
        for a in attributes: 
            current_lookup_value = self.get_attribute_dict(a)
            lookup_values.append(current_lookup_value)
            if one_dict:
                lookup_dict[a] = current_lookup_value
        if print_flag:
            print(f"Total time for spine/bouton/width compression = {time.time() - start_time}")
        
        if one_dict:
            return lookup_dict
        else:
            return lookup_values 
                
    
    # Defining some useful built in functions
    def __getitem__(self,key):
        return self.concept_network.nodes[key]["data"]
    def __setitem__(self,key,newvalue):
        self.concept_network.nodes[key]["data"] = newvalue
    def __len__(self):
        return len(list(self.concept_network.nodes()))
    #for the iterable
    def __iter__(self):
        return self
    def __next__(self):
        self._index += 1
        #print(f"Limb self._index = {self._index}")
        sorted_node_indexes = np.sort(list(self.concept_network.nodes()))
        if self._index >= len(self):
            self._index = -1
            raise StopIteration
        else:
            return self[sorted_node_indexes[self._index]]
    
    def __eq__(self,other):
        """
        Purpose: Computes equality of all members except the face_idx
        
        Things we want to compare: 
        'all_concept_network_data', #array of dictionary: inside dictionary
        
        How to compare this array of dictionaries (because may not be in order)
        Pseudocode
        0) check that arrays are the same size (if not register as a difference)
        1) make an array of all the indexes in the self and than other arrays
        2) Start with the first index in self array:
        a. Iterate with those left in the other array to see if can match a dictionary 
        b. Once find a match, eliminate those indices from the lists and add as a pairings
        c. Go to next one in list
        d. If can't find pairing, add to differnces list and keep going
        
        3) At end if no differences then make sure self and others indicies list is empty
        
         'concept_network', #networkx graph
         'concept_network_directional', #networkx graph
         'current_starting_coordinate', #np.array
         'current_starting_endpoints', #np.array (for endpoints)
         'current_starting_node', #int
         
         'current_starting_soma',#int
         'label', #list
         'mesh', #mesh (compare_meshes_by_face_midpoints)
         'mesh_center', #1D array (compare threshold)
         'mesh_face_idx' #set comparison 
         
         
         Example: How tested the comparison
         tu = reload(tu)
        neuron= reload(neuron)
        xu = reload(xu)
        example_limb = double_soma_obj.concept_network.nodes["L1"]["data"]
        example_limb.labels = example_limb.label
        [k for k in dir(example_limb) if "__" not in k]
        L1 = neuron.Limb(example_limb)
        L2 = neuron.Limb(L1)
        #----testing the all_concept_network_data
        # L1.all_concept_network_data = [L1.all_concept_network_data[1],L1.all_concept_network_data[0]]
        # L2.all_concept_network_data[0]["starting_soma"] = 10
        #---testing the concept network comparison
        #L1.concept_network.nodes[1]["data"].skeleton[0][0][0] = 1
        #L2.concept_network.remove_node(1)
        #L2.concept_network.nodes[1]["data"].mesh = L2.concept_network.nodes[1]["data"].mesh.submesh([np.arange(len(L2.concept_network.nodes[1]["data"].mesh.faces)-1)],append=True)
        #---testing concept_network_directional
        #L1.concept_network_directional.nodes[1]["data"].skeleton[0][0][0] = 1
        #L2.concept_network_directional.remove_node(1)
        #L2.concept_network_directional.nodes[1]["data"].mesh = L2.concept_network.nodes[1]["data"].mesh.submesh([np.arange(len(L2.concept_network.nodes[1]["data"].mesh.faces)-1)],append=True)
        #----testing current_starting_endpoints
        #L2.current_starting_endpoints = np.array([[1,2,3],[4,5,6]])
        #---- testing current_starting_soma
        #L1.current_starting_soma=10
        #---- testing current_starting_soma
        #L2.labels=["new_labels"]
        # --- mesh_face_idx
        #L1.mesh_face_idx= np.array([])
        #----testing mesh_center
        #L2.mesh_center = np.array([1,2,3])
        
        """
        
        print_flag = True
        differences = []
        
        #----------comparing the network dictionaries-------------
        def __compare_concept_network_dicts(dict1,dict2):
            endpoints_compare = xu.compare_endpoints(dict1["starting_endpoints"],dict2["starting_endpoints"])
            starting_node_compare = dict1["starting_node"] == dict2["starting_node"]
            starting_soma_compare = dict1["starting_soma"] == dict2["starting_soma"]
            starting_coordinate_compare = nu.compare_threshold(dict1["starting_coordinate"],dict2["starting_coordinate"])
            
            if endpoints_compare and starting_node_compare and starting_soma_compare and starting_coordinate_compare:
                return True
            else:
                return False
        
        if len(self.all_concept_network_data) != len(other.all_concept_network_data):
            differences.append(f"lengths of all_concept_network_data did not match")
        else:
            self_indices = np.arange(len(self.all_concept_network_data) )
            other_indices = np.arange(len(self.all_concept_network_data) )
            
            pairings = []
            for i in self_indices:
                found_match = False
                for j in other_indices:
                    if __compare_concept_network_dicts(self.all_concept_network_data[i],
                                                      other.all_concept_network_data[j]):
                        #if match was found then remove the matching indices from other indices and break
                        other_indices = other_indices[other_indices != j]
                        pairings.append([i,j])
                        found_match=True
                        break
                
                if not found_match:    
                    #if no match was found then add to the differences list
                    differences.append(f"No match found for self.all_concept_network_data[{i}]"
                                      f"\nDictionary = {self.all_concept_network_data[i]}")
            
            #should have pairings for all all indices
            #print(f"pairings = {pairings}")
        #----------END OF comparing the network dictionaries-------------
        
        
        # Compare'concept_network', #networkx graph
        nx_compare_result,nx_diff_list = xu.compare_networks(self.concept_network,
                                                          other.concept_network,return_differences=True)
        if not nx_compare_result:
            differences.append(f"concept_network didn't match"
                              f"\n    Differences in compare_networks = {nx_diff_list}")
            
            
        #Comparing concept_network_directional
        nx_compare_result,nx_diff_list = xu.compare_networks(self.concept_network_directional,
                                                          other.concept_network_directional,return_differences=True)
        if not nx_compare_result:
            differences.append(f"concept_network_directional didn't match"
                              f"\n    Differences compare_networks = {nx_diff_list}")
            
        #Compare current_starting_coordinate 
        if not nu.compare_threshold(self.current_starting_coordinate,other.current_starting_coordinate):
            differences.append(f"current_starting_coordinate didn't match: "
                               f"\n    self.current_starting_coordinate = {self.current_starting_coordinate},"
                               f" other.current_starting_coordinate = {other.current_starting_coordinate}")
            
        #comparing the endpoints
        if not xu.compare_endpoints(self.current_starting_endpoints,other.current_starting_endpoints):
            differences.append(f"endpoints didn't match: "
                               f"\n    self.endpoints = {self.current_starting_endpoints}, other.endpoints = {other.current_starting_endpoints}") 
        
        #comparing current_starting_node
        if self.current_starting_node != other.current_starting_node:
            differences.append(f"current_starting_node didn't match: "
                               f"\n    self.current_starting_node = {self.current_starting_node},"
                               f" other.current_starting_node = {other.current_starting_node}") 
            
        #comparing the current_starting_soma
        if self.current_starting_soma != other.current_starting_soma:
            differences.append(f"current_starting_soma didn't match: "
                               f"\n    self.current_starting_soma = {self.current_starting_soma},"
                               f" other.current_starting_soma = {other.current_starting_soma}") 
        
        #comparing the labels:
        if set(self.labels) != set(other.labels):
            differences.append(f"labels didn't match: "
                               f"\n    self.labels = {self.labels}, other.labels = {other.labels}")
        
        #comparing the meshes
        if not tu.compare_meshes_by_face_midpoints(self.mesh,other.mesh):
            differences.append(f"mesh didn't match"
                               f"\n    self.mesh = {self.mesh},"
                               f" other.mesh = {other.mesh}") 
        
    
        #comparing the mesh centers    
        if not nu.compare_threshold(self.mesh_center,other.mesh_center):
            differences.append(f"mesh_center didn't match: "
                               f"\n    self.mesh_center = {self.mesh_center}, other.mesh_center = {other.mesh_center}")
        
        #print out if face idx was different but not make part of the comparison
        if set(self.mesh_face_idx) != set(other.mesh_face_idx):
#             print("*** Warning: mesh_face_idx didn't match (but not factored into equality comparison)\n"
#                  f"set(self.mesh_face_idx) = {self.mesh_face_idx}, set(other.mesh_face_idx) = {other.mesh_face_idx}")
            pass
        
        
        if len(differences) == 0:
            return True
        else:
            if print_flag:
                print("Differences List:")
                for j,diff in enumerate(differences):
                    print(f"{j})   {diff}")
            return False
        
    
    def __ne__(self,other):
        return not self.__eq__(other)
    
    
    # ---------- 6/29 To help with navigating the concept network segments
    @property
    def nodes_to_exclude(self):
        return np.concatenate([self.axon_spines,self.short_thick_endnodes]) 
        
        
[docs]class Soma:
    """
    Class that will hold one continus skeleton
    piece that has no branching
    
    Properties that are housed:
     'mesh',
     'mesh_center',
     'mesh_face_idx',
     'sdf',
     'side_length_ratios',
     'volume_ratio'
    
    """
    
[docs]    def __init__(self,mesh,mesh_face_idx=None,sdf=None,volume_ratio=None,
                volume=None,synapses=None):
        #Accounting for the fact that could recieve soma object
        if str(type(mesh)) == str(Soma):
            #print("Recived Soma object so copying object")
            # properties we are copying: [k for k in dir(example_limb) if "__" not in k]
            
            self.mesh = dc(mesh.mesh)
            self.sdf=dc(mesh.sdf)
            self.mesh_face_idx = dc(mesh.mesh_face_idx)
            self.volume_ratio = dc(mesh.volume_ratio)
            self.side_length_ratios = dc(mesh.side_length_ratios)
            self.mesh_center = dc(mesh.mesh_center)
            
            try:
                self._volume = dc(mesh._volume)
            except:
                self._volume = None
                
                
            self.synapses = dc_check(mesh,"synapses")
            if self.synapses is None:
                self.synapses = []
            
            return 
        
        #print("bypassing soma object initialization")
        self.mesh=mesh
        self.sdf=sdf
        self.mesh_face_idx = mesh_face_idx
        if volume_ratio is None:
            self.volume_ratio = sm.soma_volume_ratio(self.mesh,
                                                     #watertight_method="fill_holes"
                                                    )
        else:
            print("Using precomputed volume ratio")
            self.volume_ratio = volume_ratio
        self.side_length_ratios = sm.side_length_ratios(self.mesh)
        self.mesh_center = tu.mesh_center_vertex_average(self.mesh)
        self._volume = volume
        
        if synapses is None:
            synapses = []
            
        self.synapses = synapses
        
        if volume is None:
            self.volume 
        
    
    @property          
    def compartment(self):
        return "soma"
        
    @property          
    def area(self):
        return self.mesh.area/1_000_000
    
    @property
    def volume(self,watertight_method="poisson",divisor = 1_000_000_000):
        """
        Will compute the volume of the soma
        """
        if self._volume is None:
            self._volume = tu.mesh_volume(self.mesh,
                                         watertight_method=watertight_method)
        
        return self._volume/divisor
    
    @property
    def mesh_volume(self,**kwargs):
        return self.volume
        
    def __eq__(self,other):
        #print("inside equality function")
        """
        Purpose: Computes equality of all members except the face_idx (will print out if not equal)
        
        Properties that need to be checked:
        'mesh',
         'mesh_center',
         'mesh_face_idx',
         'sdf',
         'side_length_ratios',
         'volume_ratio'
        
        Example of How tested it: 
        
        tu = reload(tu)
        neuron= reload(neuron)
        xu = reload(xu)
        example_soma = double_soma_obj.concept_network.nodes["S0"]["data"]
        S1 = neuron.Soma(example_soma)
        S2 = neuron.Soma(example_soma)
        #----testing mesh_center
        S2.mesh_center = np.array([1,2,3])
        #---- testing side_length_ratios
        S1.side_length_ratios=[10,19,20]
        #---- testing current_starting_soma
        S2.volume_ratio = 14
        # --- mesh_face_idx
        S2.mesh_face_idx= np.array([])
        #----testing mesh_center
        S2.sdf = 14
        """
        print_flag = True
        differences = []
        
        #comparing the meshes
        if not tu.compare_meshes_by_face_midpoints(self.mesh,other.mesh):
            differences.append(f"mesh didn't match"
                               f"\n    self.mesh = {self.mesh},"
                               f" other.mesh = {other.mesh}") 
        
            
        if not nu.compare_threshold(self.mesh_center,other.mesh_center):
            differences.append(f"mesh_center didn't match: "
                               f"\n    self.mesh_center = {self.mesh_center}, other.mesh_center = {other.mesh_center}")
            
        #print out if face idx was different but not make part of the comparison
        if set(self.mesh_face_idx) != set(other.mesh_face_idx):
#             print("*** Warning: mesh_face_idx didn't match (but not factored into equality comparison)")
            pass
            
        if not nu.compare_threshold(self.sdf,other.sdf):
            differences.append(f"sdf didn't match: "
                               f"\n    self.sdf = {self.sdf}, other.sdf = {other.sdf}")
            
        if not nu.compare_threshold(self.side_length_ratios,other.side_length_ratios):
            differences.append(f"side_length_ratios didn't match: "
                               f"\n    self.side_length_ratios = {self.side_length_ratios}, other.side_length_ratios = {other.side_length_ratios}")
            
        if not nu.compare_threshold(self.volume_ratio,other.volume_ratio):
            differences.append(f"volume_ratio didn't match: "
                               f"\n    self.volume_ratio = {self.volume_ratio}, other.volume_ratio = {other.volume_ratio}")
        
    
        
        if len(differences) == 0:
            return True
        else:
            if print_flag:
                print("Differences List:")
                for j,diff in enumerate(differences):
                    print(f"{j})   {diff}")
            return False
        
    
    def __ne__(self,other):
        #print(f"self.__eq__(other) = {self.__eq__(other)}")
        return not self.__eq__(other)
    
    
    @property
    def n_synapses(self):
        return syu.n_synapses(self)
    
    @property
    def synapses_pre(self):
        return syu.synapses_pre(self)
    
    @property
    def n_synapses_pre(self):
        return syu.n_synapses_pre(self)
    
    @property
    def n_synapses_post(self):
        return syu.n_synapses_post(self)
    
    @property
    def synapses_post(self):
        return syu.synapses_post(self) 
#from neurd import preprocess_neuron as pn
[docs]class Neuron:
    """
    Neuron class docstring: 
    Will 
    
    Purpose: 
    An object oriented approach to housing the data
    about a single neuron mesh and the secondary 
    data that can be gleamed from this. For instance
    - skeleton
    - compartment labels
    - soma centers
    - subdivided mesh into cable pieces
    
    
    Pseudocode: 
    
    1) Create Neuron Object (through __init__)
    a. Add the small non_soma_list_meshes
    b. Add whole mesh
    c. Add soma_to_piece_connectivity as concept graph and it will be turned into a concept map
    2) Creat the soma meshes
    a. Create soma mesh objects
    b. Add the soma objects as ["data"] attribute of all of the soma nodes
    3) Limb Process: For each limb (use an index to iterate through limb_correspondence,current_mesh_data and limb_concept_network/lables) 
    a. Build all the branches from the 
        - mesh
        - skeleton
        - width
        - branch_face_idx
    b. Pick the top concept graph (will use to store the nodes)
    c. Put the branches as "data" in the network
    d. Get all of the starting coordinates and starting edges and put as member attributes in the limb
    Example 1:
    How you could generate completely from mesh to help with debugging:
    
    # from mesh_tools import trimesh_utils as tu
    # mesh_file_path = Path("/notebooks/test_neurons/multi_soma_example.off")
    # mesh_file_path.exists()
    # current_neuron_mesh = tu.load_mesh_no_processing(str(mesh_file_path.absolute()))
    # # picking a random segment id
    # segment_id = 12345
    # description = "double_soma_meshafterparty"
    # # --------------------- Processing the Neuron ----------------- #
    # from neurd import soma_extraction_utils as sm
    # somas = sm.extract_soma_center(segment_id,
    #                              current_neuron_mesh.vertices,
    #                              current_neuron_mesh.faces)
    # import time
    # meshparty_time = time.time()
    # from mesh_tools import compartment_utils as cu
    # cu = reload(cu)
    # from mesh_tools import meshparty_skeletonize as m_sk
    # from neurd import preprocess_neuron as pn
    # pn = reload(pn)
    # m_sk = reload(m_sk)
    # somas = somas
    # nru = reload(nru)
    # neuron = reload(neuron)
    # current_neuron = neuron.Neuron(
    #     mesh=current_neuron_mesh,
    #     segment_id=segment_id,
    #     description=description,
    #     decomposition_type="meshafterparty",
    #     somas = somas,
    #     #branch_skeleton_data=branch_skeleton_data,
    #     suppress_preprocessing_print=False,
    # )
    # print(f"Total time for processing: {time.time() - meshparty_time}")
    # # ----------------- Calculating the Spines and Width ----------- #
    # current_neuron.calculate_spines(print_flag=True)
    # #nviz.plot_spines(current_neuron)
    # current_neuron.calculate_new_width(no_spines=False,
    #                                        distance_by_mesh_center=True)
    # current_neuron.calculate_new_width(no_spines=False,
    #                                        distance_by_mesh_center=True,
    #                                        summary_measure="median")
    # current_neuron.calculate_new_width(no_spines=True,
    #                                        distance_by_mesh_center=True,
    #                                        summary_measure="mean")
    # current_neuron.calculate_new_width(no_spines=True,
    #                                        distance_by_mesh_center=True,
    #                                        summary_measure="median")
    # # ------------------ Saving off the Neuron --------------- #
    # current_neuron.save_compressed_neuron(output_folder=Path("/notebooks/test_neurons/meshafterparty_processed/"),
    #                                      export_mesh=True)
    """
[docs]    def __init__(
        self,
        mesh,
        segment_id=None,
        description=None,
        nucleus_id=None,
        split_index = None,
        preprocessed_data=None,
        
        fill_hole_size=0,# The old value for the parameter when performing 2000,
        decomposition_type="meshafterparty",
        meshparty_adaptive_correspondence_after_creation=False,
        
        calculate_spines=True,
        widths_to_calculate=["no_spine_median_mesh_center"],
    
        suppress_preprocessing_print=True,
        computed_attribute_dict=None,
        somas = None,
        branch_skeleton_data=None,
        
        
        ignore_warnings=True,
        suppress_output=False,
        suppress_all_output=False,
    
        preprocessing_version=2,
        limb_to_branch_objects=None,
        
        glia_faces=None,
        nuclei_faces = None,
        glia_meshes = None,
        nuclei_meshes = None,
        original_mesh_idx = None,
        labels=[],
        
        preprocess_neuron_kwargs = dict(),
        spines_kwargs = dict(),
        pipeline_products = None,
        ):
#                  concept_network=None,
#                  non_graph_meshes=dict(),
#                  pre_processed_mesh = dict()
#                 ):
        """here would be calling any super classes inits
        Ex: Parent.__init(self)
        
        Class can act like a dictionary and can d
        """
    
        #covering the scenario where the data was recieved was actually another neuron class
        #print(f"type of mesh = {mesh.__class__}")
        #print(f"type of self = {self.__class__}")
        
        if pipeline_products is not None:
            glia_meshes = pipeline_products.get("glia_meshes",None)
            nuclei_meshes = pipeline_products.get("nuclei_meshes",None)
            
            if pipeline_products.get("soma_meshes") is not None:
                somas = [
                    pipeline_products.get("soma_meshes"),
                    pipeline_products.get("soma_run_time"),
                    pipeline_products.get("soma_sdfs"),
                ]
                
            if segment_id is None:
                segment_id = pipeline_products.get("segment_id",None)
                
        
        neuron_creation_time = time.time()
        
        if glia_meshes is not None and nuclei_meshes is not None:
            glia_faces,nuclei_faces = sm.glia_nuclei_faces_from_mesh(
                mesh,
                glia_meshes,
                nuclei_meshes,
                verbose = False
            )
        
        if suppress_output:
            if not suppress_all_output:
                print("Processing Neuorn in minimal output mode...please wait")
        
        
        with su.suppress_stdout_stderr() if suppress_output else su.dummy_context_mgr():
            if str(mesh.__class__) == str(self.__class__):
                #print("Recieved another instance of Neuron class in init -- so just copying data")
                self.segment_id=dc(mesh.segment_id)
                self.description = dc(mesh.description)
                
                self.preprocessed_data = dc(mesh.preprocessed_data)
                self.mesh = dc(mesh.mesh)
                self.concept_network = copy_concept_network(mesh.concept_network)
                
                #mesh pieces
                self.inside_pieces = dc(mesh.inside_pieces)
                self.insignificant_limbs = dc(mesh.insignificant_limbs)
                self.not_processed_soma_containing_meshes = dc(mesh.not_processed_soma_containing_meshes)
                self.glia_faces = dc(mesh.glia_faces)
                self.non_soma_touching_meshes = dc(mesh.non_soma_touching_meshes)
                
                
                if hasattr(mesh,"decomposition_type"):
                    self.decomposition_type = dc(mesh.decomposition_type)
                else:
                    self.decomposition_type = None
                    
                if hasattr(mesh,"original_mesh_idx"):
                    self.original_mesh_idx = dc(mesh.original_mesh_idx)
                else:
                    self.original_mesh_idx = None
                    
                if hasattr(mesh,"labels"):
                    self.labels = dc(mesh.labels)
                else:
                    self.labels = []
                    
                if hasattr(mesh,"_mesh_kdtree"):
                    self._mesh_kdtree = mesh._mesh_kdtree
                else:
                    self._mesh_kdtree = None
                    
                    
                if hasattr(mesh,"distance_errored_synapses"):
                    self.distance_errored_synapses = mesh.distance_errored_synapses
                else:
                    self.distance_errored_synapses = []
                    
                if hasattr(mesh,"mesh_errored_synapses"):
                    self.mesh_errored_synapses = mesh.mesh_errored_synapses
                else:
                    self.mesh_errored_synapses = []
                    
                    
                # ---- 6/11: Adding Nucleus Id --------
                self.nucleus_id = dc_check(mesh,"nucleus_id")
                self.split_index = dc_check(mesh,"split_index")
                self.align_matrix = dc_check(mesh,"align_matrix")
                    
                #in order to become an iterable
                self._index = -1
                
                nru.recalculate_endpoints_and_order_skeletons_over_neuron(self)
                
                
                self.pipeline_products = pl.PipelineProducts(
                    getattr(mesh,"pipeline_products",None)
                    )   
                
                return 
                
                
        
            if ignore_warnings: 
                su.ignore_warnings()
                
            #in order to become an iterable
            self._index = -1
            self.mesh = mesh
            self.original_mesh_idx = original_mesh_idx
            self._mesh_kdtree = None
            if description is None:
                description = ""
            if segment_id is None:
                segment_id = np.random.randint(100000000)
                print(f"picking a random 7 digit segment id: {segment_id}")
                description += "_random_id"
            
            self.segment_id = segment_id
            self.description = description
            self.decomposition_type = decomposition_type
            self.nucleus_id = nucleus_id
            self.split_index = split_index
            self.align_matrix = None
            self.pipeline_products = pl.PipelineProducts(pipeline_products)
            neuron_start_time =time.time()
            if preprocessed_data is None: 
                print("--- 0) Having to preprocess the Neuron becuase no preprocessed data\nPlease wait this could take a while.....")
                
                with su.suppress_stdout_stderr() if suppress_preprocessing_print else su.dummy_context_mgr():
                    if fill_hole_size == -1:
                        vert_holes = tu.find_border_vertex_groups(self.mesh)
                        vert_holes_size = np.array([len(k) for k in vert_holes])
                        fill_hole_size = np.max(fill_hole_size) + 10
                        print(f"Calculating max hole filling size as {fill_hole_size} ")
                        
                    if fill_hole_size > 0 and len(tu.find_border_vertex_groups(self.mesh))>0:
                        try:
                            mesh = tu.fill_holes(mesh,max_hole_size=fill_hole_size)
                            self.mesh = mesh
                        except:
                            print("**** Tried to fill holes but was unable to, just preceeding on*****")
                        else:
                            vert_holes = tu.find_border_vertex_groups(self.mesh)
                            vert_holes_size = np.array([len(k) for k in vert_holes])
                            print(f"Successfully filled all holes up to size {fill_hole_size}")
                            print(f"Still existing holes = {vert_holes_size}")
                    else:
                        print("Skipping the hole filling")
                        
                    if preprocessing_version == 1:
                        raise Exception(f"This preprocessing_version ({preprocessing_version}) is no longer supported")
#                         preprocessed_data = pn.preprocess_neuron(mesh,
#                                          segment_id=segment_id,
#                                          description=description,
#                                           decomposition_type=decomposition_type,
#                                             mesh_correspondence=mesh_correspondence,
#                                             distance_by_mesh_center=distance_by_mesh_center,
#                                             meshparty_segment_size =meshparty_segment_size,
#                                              meshparty_n_surface_downsampling = meshparty_n_surface_downsampling,
#                                           somas=somas,
#                                             branch_skeleton_data=branch_skeleton_data,
#                                             combine_close_skeleton_nodes = combine_close_skeleton_nodes,
#                                             combine_close_skeleton_nodes_threshold=combine_close_skeleton_nodes_threshold)
                    elif preprocessing_version == 2:
                        
                        preprocessed_data = pre.preprocess_neuron(
                                                mesh,
                                        segment_id=segment_id,
                                         description=description,
                                          decomposition_type=decomposition_type,
                                        somas=somas, #the precomputed somas
                                        glia_faces=glia_faces,
                                        nuclei_faces = nuclei_faces,
                                        **preprocess_neuron_kwargs)
                        
                    
                    
                    
                    #print(f"preprocessed_data inside with = {preprocessed_data}")
                        
            else:
                print("Already have preprocessed data")
                
            #--- 6/11: adding nuclues id ------
            if self.nucleus_id is None:
                self.nucleus_id = preprocessed_data.get("nucleus_id",None)
                
            if self.split_index is None:
                self.split_index = preprocessed_data.get("split_index",None)
            
            
            #print(f"preprocessed_data inside with = {preprocessed_data}")
            #this is for if ever you want to copy the neuron from one to another or save it off?
            self.preprocessed_data = preprocessed_data
            #self.non_graph_meshes = preprocessed_data["non_graph_meshes"]
            limb_concept_networks = preprocessed_data["limb_concept_networks"]
            limb_correspondence = preprocessed_data["limb_correspondence"]
            limb_meshes = preprocessed_data["limb_meshes"]
            limb_labels = preprocessed_data["limb_labels"]
            self.insignificant_limbs = preprocessed_data["insignificant_limbs"]
            self.not_processed_soma_containing_meshes = preprocessed_data["not_processed_soma_containing_meshes"]
            
            if "glia_faces" in preprocessed_data.keys():
                self.glia_faces = preprocessed_data["glia_faces"]
            else:
                self.glia_faces = []
                
            if "labels" in preprocessed_data.keys():
                self.labels = preprocessed_data["labels"]
            else:
                self.labels = labels
            
            self.non_soma_touching_meshes = preprocessed_data["non_soma_touching_meshes"]
            self.inside_pieces = preprocessed_data["inside_pieces"]
            soma_meshes = preprocessed_data["soma_meshes"]
            soma_to_piece_connectivity = preprocessed_data["soma_to_piece_connectivity"]
            soma_sdfs = preprocessed_data["soma_sdfs"]
            
            if "soma_volumes" in preprocessed_data.keys() and preprocessed_data["soma_volumes"] is not None:
                soma_volumes = preprocessed_data["soma_volumes"]
            else:
                soma_volumes = [None]*len(soma_sdfs)
            
            if "soma_volume_ratios" in preprocessed_data.keys() and (not preprocessed_data["soma_volume_ratios"] is None):
                pass
            else:
                print("No soma volume ratios so computing them now")                                                          
                preprocessed_data["soma_volume_ratios"] = [sm.soma_volume_ratio(j) for j in soma_meshes]
                
            # -------- 6/9 addition: synapses that are saved off--------
            if "soma_synapses" in preprocessed_data.keys():
                soma_synapses = [syu.exports_to_synapses(jj) for jj in preprocessed_data["soma_synapses"]]
            else:
                soma_synapses = [None]*len(soma_sdfs)
                
            if "distance_errored_synapses" in preprocessed_data.keys():
                self.distance_errored_synapses = syu.exports_to_synapses(preprocessed_data["distance_errored_synapses"])
            else:
                self.distance_errored_synapses = []
                
            if "mesh_errored_synapses" in preprocessed_data.keys():
                self.mesh_errored_synapses = syu.exports_to_synapses(preprocessed_data["mesh_errored_synapses"])
            else:
                self.mesh_errored_synapses = []
                
                
                
            soma_volume_ratios = preprocessed_data["soma_volume_ratios"]
                
            
            print(f"--- 1) Finished unpacking preprocessed materials: {time.time() - neuron_start_time}")
            neuron_start_time =time.time()
            # builds the networkx graph where we will store most of the data
            if type(soma_to_piece_connectivity) == type(nx.Graph()):
                self.concept_network = soma_to_piece_connectivity
            elif type(soma_to_piece_connectivity) == dict:
                concept_network = convert_soma_to_piece_connectivity_to_graph(soma_to_piece_connectivity)
                self.concept_network = concept_network
            else:
                raise Exception(f"Recieved an incompatible type of {type(soma_to_piece_connectivity)} for the concept_network")
                
            
            print(f"--- 2) Finished creating neuron connectivity graph: {time.time() - neuron_start_time}")
            neuron_start_time =time.time()
            """
            2) Creat the soma meshes
            a. Create soma mesh objects
            b. Add the soma objects as ["data"] attribute of all of the soma nodes
            """
            if "soma_meshes_face_idx" in list(preprocessed_data.keys()):
                soma_meshes_face_idx = preprocessed_data["soma_meshes_face_idx"]
                print("Using already existing soma_meshes_face_idx in preprocessed data ")
            else:
                print("Having to generate soma_meshes_face_idx because none in preprocessed data")
                soma_meshes_face_idx = []
                for curr_soma in soma_meshes:
                    curr_soma_meshes_face_idx = tu.original_mesh_faces_map(mesh, curr_soma,
                           matching=True,
                           print_flag=False)
                    soma_meshes_face_idx.append(curr_soma_meshes_face_idx)
                print(f"--- 3a) Finshed generating soma_meshes_face_idx: {time.time() - neuron_start_time}")
                neuron_start_time =time.time()
            for j,(curr_soma,curr_soma_face_idx,current_sdf,curr_volume_ratio,curr_volume,curr_synapses) in enumerate(zip(soma_meshes,soma_meshes_face_idx,soma_sdfs,soma_volume_ratios,soma_volumes,soma_synapses)):
                Soma_obj = Soma(curr_soma,
                                mesh_face_idx=curr_soma_face_idx,
                                sdf=current_sdf,
                                volume_ratio=curr_volume_ratio,
                               volume=curr_volume,
                               synapses = curr_synapses)
                
                print(f"--- 3b) Finished soma creation: {time.time() - neuron_start_time}")
                neuron_start_time =time.time()
                
                
                soma_name = f"S{j}"
                #Add the soma object as data in 
                
                # --- 11/21 adaption that accounts for if soma is not in the concept network
                if soma_name in self.concept_network.nodes():
                    xu.set_node_data(curr_network=self.concept_network,
                                         node_name=soma_name,
                                         curr_data=Soma_obj,
                                         curr_data_label="data")
                else:
                    print(f"Did not have {soma_name} in concept network so adding it")
                    self.concept_network.add_node(soma_name,data=Soma_obj)
                    
            print(f"--- 3) Finshed generating soma objects and adding them to concept graph: {time.time() - neuron_start_time}")
            neuron_start_time =time.time()
            """
            3) Add the limbs to the graph:
            a. Create the limb objects and their associated names
            (use an index to iterate through limb_correspondence,current_mesh_data and limb_concept_network/lables) 
            b. Add the limbs to the neuron concept graph nodes
            """
            if "limb_mehses_face_idx" in list(preprocessed_data.keys()):
                limb_mehses_face_idx = preprocessed_data["limb_mehses_face_idx"]
                print("Using already existing limb_mehses_face_idx in preprocessed data ")
            else:
                limb_mehses_face_idx = []
                for curr_limb in limb_meshes:
                    curr_limb_meshes_face_idx = tu.original_mesh_faces_map(mesh, curr_limb,
                           matching=True,
                           print_flag=False)
                    limb_mehses_face_idx.append(curr_limb_meshes_face_idx)
                print(f"--- 4a) Finshed generating curr_limb_meshes_face_idx: {time.time() - neuron_start_time}")
                neuron_start_time =time.time()
    #         print("Returning so can debug")
    #         return
            for j,(curr_limb_mesh,curr_limb_mesh_face_idx) in enumerate(zip(limb_meshes,limb_mehses_face_idx)):
                """
                will just find the curr_limb_concept_network, curr_limb_label by indexing
                """
                curr_limb_correspondence = limb_correspondence[j]
                curr_limb_concept_networks = limb_concept_networks[j]
                curr_limb_label = limb_labels[j]
                
                if not (limb_to_branch_objects is None) and j in limb_to_branch_objects.keys():
                    branch_objects = limb_to_branch_objects[j]
                else:
                    branch_objects = None
                    
                print(f"curr_limb_concept_networks= {curr_limb_concept_networks}")
                
                Limb_obj = Limb(
                                 mesh=curr_limb_mesh,
                                 curr_limb_correspondence=curr_limb_correspondence,
                                 concept_network_dict=curr_limb_concept_networks,
                                 mesh_face_idx=curr_limb_mesh_face_idx,
                                 labels=curr_limb_label,
                                branch_objects = branch_objects
                                )
                limb_name = f"L{j}"
                #Add the soma object as data in
                if limb_name not in self.concept_network.nodes():
                    self.concept_network.add_node(limb_name)
                
                xu.set_node_data(curr_network=self.concept_network,
                                     node_name=limb_name,
                                     curr_data=Limb_obj,
                                     curr_data_label="data")
                #xu.set_node_data(self.concept_network,node_name=soma_name,curr_data=Soma_obj,curr_data_label="data")
            print(f"--- 4) Finshed generating Limb objects and adding them to concept graph: {time.time() - neuron_start_time}")
            
            if decomposition_type == "meshparty" and meshparty_adaptive_correspondence_after_creation:
                neuron_start_time =time.time()
                print(f"--- 5) Doing the adaptive mesh correspondence on the meshparty preprocessing ---")
                nru.apply_adaptive_mesh_correspondence_to_neuron(self)
                print(f"--- 5) Finished Doing the adaptive mesh correspondence on the meshparty preprocessing: {time.time() - neuron_start_time}")
            else:
                print(f"--- 5) SKIPPING Doing the adaptive mesh correspondence on the meshparty preprocessing ---")
            
            if not computed_attribute_dict is None:
                neuron_start_time =time.time()
                print(f"--- 6) Using the computed_attribute_dict to populate neuron attributes ---")
                self.set_computed_attribute_data(computed_attribute_dict)
                print(f"--- 6) FINISHED Using the computed_attribute_dict to populate neuron attributes: {time.time() - neuron_start_time}")
            else:
                print(f"--- 6) SKIPPING Using the computed_attribute_dict to populate neuron attributes ---")
                
            # printing what concept network looks like 
            print(f"self.n_limbs = {self.n_limbs}")
            
            if self.n_limbs > 0:
                
                
                if calculate_spines:
                    #check to see that spines don't already exist
                    print("7) Calculating the spines for the neuorn if do not already exist")
                    if not self.spines_already_computed():
                        print("7a) calculating spines because didn't exist")
                        spu.calculate_spines_on_neuron(self,**spines_kwargs)
                        #self.calculate_spines() the old function for calculating spines
                        
                for w in widths_to_calculate:
                    wu.calculate_new_width_for_neuron_obj(self,width_name=w)
                    
                # ----------- 1/25 Addition that cleans the concept networks ------- #
                nru.clean_neuron_all_concept_network_data(self)
            else:
                print("Skipping the width and spine calculation because no limbs")
                
            
            
        nru.recalculate_endpoints_and_order_skeletons_over_neuron(self)
        
        try:
            bu.set_branches_endpoints_upstream_downstream_idx(self,)
        except:
            pass
        
        if not suppress_all_output:
            print(f"Total time for neuron instance creation = {time.time() - neuron_creation_time}") 
            
    @property
    def limbs(self):
        return [k for k in self]
    
    
    def __getattr__(self,k):
        if k[:2] == "__":
            raise AttributeError(k)
        if hasattr(self,"pipeline_products"):
            return getattr(self.pipeline_products,k)
        else:
            return self.__getattribute__(k)
    
    
[docs]    def calculate_decomposition_products(
        self,
        store_in_obj = False,):
        return nru.calculate_decomposition_products(
            self,
            store_in_obj = store_in_obj,
        ) 
        
[docs]    def calculate_multi_soma_split_suggestions(
        self,
        store_in_obj = True,
        plot = True,
        **kwargs):
        
        ret_result = ssu.calculate_multi_soma_split_suggestions(
            self,
            store_in_obj = True,
            plot = plot,
            **kwargs
        )
        
        
        return ret_result 
    
[docs]    def multi_soma_split_execution(
        self,
        verbose=False,
        store_in_obj=True,
        **kwargs
        ):
        
        return ssu.multi_soma_split_execution(
            self,
            verbose = verbose,
            store_in_obj=store_in_obj,
            **kwargs
        ) 
        
    
    @property
    def valid_error_split_points_by_limb(self):
        """
        dummy docstring
        """
        rb_splits = getattr(self,"red_blue_split_results",None)
        return ssu.limb_red_blue_dict_from_red_blue_splits(
            rb_splits     
        )
        
    
[docs]    def get_total_n_branches(self):
        return np.sum([len(self.concept_network.nodes[li]["data"].concept_network.nodes()) for li in self.get_limb_node_names()]) 
    
[docs]    def get_skeleton(self,check_connected_component=True):
        return nru.get_whole_neuron_skeleton(self,
                                 check_connected_component=check_connected_component) 
    
[docs]    def get_attribute_dict(self,attribute_name):
        attribute_dict = dict()
        #for limb_idx,curr_limb in enumerate(self):
        for limb_idx in self.get_limb_node_names(return_int=True):
            curr_limb = self[limb_idx]
            attribute_dict[limb_idx] = curr_limb.get_attribute_dict(attribute_name)
            
        return attribute_dict 
    
[docs]    def set_attribute_dict(self,attribute_name,attribute_dict):
        for limb_idx,curr_limb in enumerate(self):
            #print(f"Working on Limb {limb_idx}:")
            if limb_idx in list(attribute_dict.keys()):
                curr_limb.set_attribute_dict(attribute_name,attribute_dict[limb_idx])
            else:
                pass 
                #print(f"Limb {limb_idx} not in attribute dict so skipping")
            
[docs]    def set_computed_attribute_data(self,computed_attribute_data,print_flag=False):
        start_time = time.time()
        
        if computed_attribute_data is None:
            return
        
        for k,v in computed_attribute_data.items():
            self.set_attribute_dict(k,v)
        """  
        # Old way 1 of Setting 
        width_array_lookup = dict()
        width_new_lookup = dict()
        spines_lookup = dict()
        
        for limb_idx,ex_limb in self:
            width_array_lookup = 
        sorted_limb_labels = np.sort(self.get_limb_node_names())
        for limb_idx in sorted_limb_labels:
            ex_limb = self.concept_network.nodes[limb_idx]["data"]
            sorted_branch_labels = np.sort(ex_limb.concept_network.nodes())
            for branch_idx in sorted_branch_labels:
                if print_flag:
                    print(f"---- Working on limb {limb_idx} branch {branch_idx} ------")
                ex_branch = ex_limb.concept_network.nodes[branch_idx]["data"]
                ex_branch.width_array = width_array_lookup[limb_idx][branch_idx] 
                
                if not spines_lookup[limb_idx][branch_idx] is None:
                    ex_branch.spines = [ex_branch.submesh([k],append=True,repair=False) for k in spines_lookup[limb_idx][branch_idx]]
                else:
                    ex_branch.spines = None
                
                ex_branch.width_new = width_new_lookup[limb_idx][branch_idx]
        
        
        # Old Way 2: 
                
        width_array_lookup = spine_width_data["width_array_lookup"]
        width_new_lookup = spine_width_data["width_new_lookup"]
        spines_lookup = spine_width_data["spines_lookup"]
        
        set_attribute_dict("width_array",width_array_lookup)
        set_attribute_dict("width_new",width_new_lookup)
        set_attribute_dict("spines",spines_lookup)
        
        """
        
        if print_flag:
            print(f"Total time for spine/width compression = {time.time() - start_time}") 
    
[docs]    def get_computed_attribute_data(self,
                                    attributes = computed_attribute_list,
                                    one_dict=True,
                                    print_flag=False):
        start_time = time.time()
        
        lookup_values = []
        lookup_dict = dict()
        for a in attributes: 
            current_lookup_value = self.get_attribute_dict(a)
            lookup_values.append(current_lookup_value)
            if one_dict:
                lookup_dict[a] = current_lookup_value
        if print_flag:
            print(f"Total time for spine/width compression = {time.time() - start_time}")
        
        """  
        # OLD WAY 1: OF DOING THIS WITHOUT ITERABLE
        width_array_lookup = dict()
        width_new_lookup = dict()
        spines_lookup = dict()
        sorted_limb_labels = np.sort(self.get_limb_node_names())
        for limb_idx in sorted_limb_labels:
            ex_limb = self.concept_network.nodes[limb_idx]["data"]
            spines_lookup[limb_idx] = dict()
            width_array_lookup[limb_idx] = dict()
            width_new_lookup[limb_idx] = dict()
            sorted_branch_labels = np.sort(ex_limb.concept_network.nodes())
            for branch_idx in sorted_branch_labels:
                if print_flag:
                    print(f"---- Working on limb {limb_idx} branch {branch_idx} ------")
                ex_branch = ex_limb.concept_network.nodes[branch_idx]["data"]
                width_array_lookup[limb_idx][branch_idx] = ex_branch.width_array
                if not ex_branch.spines is None:
                    spines_lookup[limb_idx][branch_idx] = [tu.original_mesh_faces_map(ex_branch.mesh,k) for k in ex_branch.spines]
                else:
                    spines_lookup[limb_idx][branch_idx] = None
                width_new_lookup[limb_idx][branch_idx] = ex_branch.width_new
                
        # Old Way #2: where not generic
        width_array_lookup = self.get_attribute_dict("width_array")
        width_new_lookup = self.get_attribute_dict("width_new")
        spines_lookup = self.get_attribute_dict("spines")
        
        spine_width_data = dict(
                width_array_lookup = width_array_lookup,
                width_new_lookup = width_new_lookup,
                spines_lookup = spines_lookup
               )
        """
        if one_dict:
            return lookup_dict
        else:
            return lookup_values 
    
    @property
    def skeleton(self,check_connected_component=False):
        return nru.get_whole_neuron_skeleton(self,
                                 check_connected_component=check_connected_component)
        
[docs]    def calculate_new_width(self,**kwargs):
        wu.calculate_new_width_for_neuron_obj(self,**kwargs) 
    
    # ------------ 9/24: Function that will see if spines are already comuted ------------ #
[docs]    def spines_already_computed(self):
        """
        Pseudocode:
        1) Iterate through all of limbs and branches
        2) If find one instance where spines not None, return True
        3) If none found, return False
        """
        found_spines=False
        self._index = -1
        for limb in self:
            limb._index = -1
            if found_spines == True:
                break
            for branch in limb:
                if not branch.spines is None:
                    #print(f"Found non-null branch = {branch.spines}")
                    found_spines=True
                    break
            limb._index = -1
        self._index = -1
        return found_spines 
    #------------------ some useful built in functions ------------------ #
    
    def __getitem__(self,key):
        if type(key) == int or type(key) == np.int64 or type(key) == np.int32:
            key = f"L{key}"
        return self.concept_network.nodes[key]["data"]
    def __setitem__(self,key,newvalue):
        if type(key) == int or type(key) == np.int64 or type(key) == np.int32:
            key = f"L{key}"
        self.concept_network.nodes[key]["data"] = newvalue
    def __len__(self):
        return len(list(self.get_limb_node_names()))
    def __iter__(self):
        return self
    def __next__(self):
        self._index += 1
        #print(f"Neuron self._index = {self._index}")
        if self._index >= len(self):
            self._index = -1
            raise StopIteration
        else:
            return self[self._index]
        
    
    #Overloading the Comparison 
    def __eq__(self,other):
        """
        Purpose: Computes equality of all members of the neuron object
        
        Things that need to compare: 
        concept_network
        segment_id
        description
        mesh
        inside_pieces #we should do these in the same order
        insignificant_limbs #same order
        non_soma_touching_meshes #same order
        
        Testing: 
        from datasci_tools import numpy_dep as np
        nru = reload(nru)
        neuron = reload(neuron)
        xu = reload(xu)
        sk = reload(sk)
        nu= reload(nu)
        tu = reload(tu)
        from neurd import soma_extraction_utils as sm
        sm = reload(sm)
        obj1 = neuron.Neuron(double_soma_obj,suppress_output=False)
        obj2 = neuron.Neuron(double_soma_obj,suppress_output=False)
        #obj1 == obj2
        #testing the changing of different things
        #obj1.concept_network.nodes["S0"]["data"].mesh = obj1.concept_network.nodes["S0"]["data"].mesh.submesh([np.arange(0,len(obj1.concept_network.nodes["S0"]["data"].mesh.faces)-5)],append=True)
        #obj1.concept_network.nodes["S0"]["data"].sdf = 100
        #obj1.description = "hello"
        #obj1.segment_id = 1234567
        #obj1.inside_pieces = obj1.inside_pieces[:10]
        #obj2.non_soma_touching_meshes =  obj2.non_soma_touching_meshes[6:17]
        #curr_mesh = obj1.concept_network.nodes["L1"]["data"].concept_network.nodes[1]["data"].mesh
        #obj1.concept_network.nodes["L1"]["data"].concept_network.nodes[1]["data"].mesh = curr_mesh.submesh([np.arange(5,50)],append=True)
        
        au = reload(au)
        obj1 == obj2
        
        """
        
        print_flag = True
        differences = []
      
        
        # Compare'concept_network', #networkx graph
        nx_compare_result,nx_diff_list = xu.compare_networks(self.concept_network,
                                                          other.concept_network,return_differences=True)
        if not nx_compare_result:
            differences.append(f"concept_network didn't match"
                              f"\n    Differences in compare_networks = {nx_diff_list}")
        
        #comparing the segment_id
        if self.segment_id != other.segment_id:
            differences.append(f"segment_id didn't match: "
                               f"\n    self.segment_id = {self.segment_id},"
                               f" other.segment_id = {other.segment_id}") 
        
        #comparing the description
        if self.description != other.description:
            differences.append(f"description didn't match: "
                               f"\n    self.description = {self.description},"
                               f" other.description = {other.description}") 
        
        
        #comparing the meshes
        if not tu.compare_meshes_by_face_midpoints(self.mesh,other.mesh):
            differences.append(f"mesh didn't match"
                               f"\n    self.mesh = {self.mesh},"
                               f" other.mesh = {other.mesh}") 
        
        #comparing the mesh lists
        mesh_lists_to_check = ["inside_pieces",
                                "insignificant_limbs",
                               "not_processed_soma_containing_meshes",
                                "non_soma_touching_meshes"]
        
        
        for curr_mesh_attr in mesh_lists_to_check:
            curr_self_attr = getattr(self, curr_mesh_attr)
            curr_other_attr = getattr(other, curr_mesh_attr)
            
            """
            Older method of comparison that did not account for lists of different sizes: 
            mesh_list_comparisons = tu.compare_meshes_by_face_midpoints_list(curr_self_attr,
                                                                             curr_other_attr)
            
            """
            comparison_result, comparison_differences = agu.compare_uneven_groups(curr_self_attr,curr_other_attr,
                             comparison_func = tu.compare_meshes_by_face_midpoints,
                             group_name=curr_mesh_attr,
                             return_differences=True)
        
            
            
            if not comparison_result:
                """
                #didnt account for different size comparisons
                differences.append(f"{curr_mesh_attr} didn't match"
                                   f"\n    self.{curr_mesh_attr} different = {[k for truth,k in zip(mesh_list_comparisons,curr_self_attr) if truth == False]},"
                                   f" other.{curr_mesh_attr} different = {[k for truth,k in zip(mesh_list_comparisons,curr_other_attr) if truth == False]}") 
                """
                differences += comparison_differences
        
        if len(differences) == 0:
            return True
        else:
            if print_flag:
                print("Differences List:")
                for j,diff in enumerate(differences):
                    print(f"{j})   {diff}")
            return False
        
    
    def __ne__(self,other):
        return not self.__eq__(other)
    
    
    
    """
    What visualizations to neuron do: 
    1) Show the soma/limb concept network with colors (or any subset of that)
    * Be able to pick a 
    2) Show the entire skeleton
    3) show the entire mesh
    Ideal: 
    1) get a submesh: By
    - names 
    - properties
    - or both
    2) Be able to describe what feature want to see with them:
    - skeleton
    - mesh: 
        branch or limb color specific
    - concept network 
        directed or undirected
        branch or limb color specific
    3) Have some feature of the whole mesh in the background
    Want to specify certian colors of specific groups
    Want to give back the colors with the names of the things if did random
    """
[docs]    def get_soma_meshes(self):
        """
        Gives the same output that running the soma identifier would
        
        Retunrs: a list containing the following elements
        1) list of soma meshes (N)
        2) scalar value of time it took to process (dummy 0)
        3) list of soma sdf values (N)
        
        """
        soma_meshes = [self.concept_network.nodes[k]["data"].mesh for k in sorted(self.get_soma_node_names())]
        return soma_meshes 
    
[docs]    def get_somas(self):
        """
        Gives the same output that running the soma identifier would
        
        Retunrs: a list containing the following elements
        1) list of soma meshes (N)
        2) scalar value of time it took to process (dummy 0)
        3) list of soma sdf values (N)
        
        """
        soma_meshes = [self.concept_network.nodes[k]["data"].mesh for k in sorted(self.get_soma_node_names())]
        somas_sdfs = [self.concept_network.nodes[k]["data"].sdf for k in sorted(self.get_soma_node_names())]
        somas =[soma_meshes,0,somas_sdfs]
        return somas 
    
    
[docs]    def get_limb_node_names(self,return_int=False):
        with_l_names = [k for k in self.concept_network.nodes() if "L" in k]
        if return_int:
            sorted_numbers = np.sort([int(k[1:]) for k in with_l_names])
            return [int(k) for k in sorted_numbers]
        else:
            return with_l_names 
        
[docs]    def get_limb_names(self,return_int=False):
        with_l_names = [k for k in self.concept_network.nodes() if "L" in k]
        if return_int:
            sorted_numbers = np.sort([int(k[1:]) for k in with_l_names])
            return [int(k) for k in sorted_numbers]
        else:
            return with_l_names 
        
[docs]    def get_branch_node_names(self,limb_idx):
        limb_idx = nru.limb_label(limb_idx)
        curr_limb_obj = self.concept_network.nodes[limb_idx]["data"]
        return list(curr_limb_obj.concept_network.nodes()) 
[docs]    def get_soma_node_names(self,int_label=False):
        soma_names = [k for k in self.concept_network.nodes() if "S" in k]
        if int_label:
            return [int(k[1:]) for k in soma_names]
        else:
            return soma_names 
        
[docs]    def get_soma_indexes(self):
        return self.get_soma_node_names(int_label=True) 
    
[docs]    def get_limbs_touching_soma(self,soma_idx):
        """
        Purpose: To get all of the limb names contacting a certain soma
        
        Example:
        current_neuron.get_limbs_touching_soma(0)
        
        """
        return xu.get_neighbors(self.concept_network,nru.soma_label(soma_idx),int_label=False) 
    
[docs]    def get_somas_touching_limbs(self,limb_idx,return_int=True):
        """
        Purpose: To get all of the limb names contacting a certain soma
        
        Example:
        current_neuron.get_limbs_touching_soma(0)
        
        """
        soma_neighbors = xu.get_neighbors(self.concept_network,nru.limb_label(limb_idx),int_label=False)
        if return_int:
            return [int(k[1:]) for k in soma_neighbors]
        else:
            return soma_neighbors 
    
    # --------------------- For saving the neuron -------------------- #
[docs]    def save_compressed_neuron(self,output_folder="./",file_name="",return_file_path=False,
                               export_mesh=False,
                              suppress_output=True,
                              file_name_append=None,):
        """
        Will save the neuron in a compressed format:
        
        
        Ex: How to save compressed neuron
        double_neuron_preprocessed.save_compressed_neuron("/notebooks/test_neurons/preprocessed_neurons/meshafterparty/",export_mesh=True,
                                         file_name=f"{double_neuron_preprocessed.segment_id}_{double_neuron_preprocessed.description}_meshAfterParty",
                                         return_file_path=True)
        
        Ex: How to reload compressed neuron
        nru.decompress_neuron(filepath="/notebooks/test_neurons/preprocessed_neurons/meshafterparty/12345_double_soma_meshAfterParty",
                     original_mesh='/notebooks/test_neurons/preprocessed_neurons/meshafterparty/12345_double_soma_meshAfterParty')
        """
        if suppress_output:
            print("Saving Neuorn in suppress_output mode...please wait")
        
        
        with su.suppress_stdout_stderr() if suppress_output else su.dummy_context_mgr():
            returned_file_path = nru.save_compressed_neuron(self,
                                       output_folder=output_folder,
                                       file_name=file_name,
                                       return_file_path=True,
                                       export_mesh=export_mesh,
                                        file_name_append=file_name_append)
        print(f"Saved File at location: {returned_file_path}")
        
        if  return_file_path:
            return returned_file_path 
    
    #how to save neuron object
[docs]    def save_neuron_object(self,
                          filename=""):
        if filename == "":
            print("No filename/location given so creating own")
            filename = f"{self.segment_id}_{self.description}.pkl"
        file = Path(filename)
        print(f"Saving Object at: {file.absolute()}")
        
        su.save_object(self,file) 
    
#     def calculate_width_without_spines(self,
#                                       skeleton_segment_size = 1000,
#                                        width_segment_size=None,
#                                       width_name = "no_spine_average",
#                                       **kwargs):
#         for limb_idx in self.get_limb_node_names():
#             for branch_idx in self.get_branch_node_names(limb_idx):
#                 print(f"Working on limb {limb_idx} branch {branch_idx}")
#                 curr_branch_obj = self.concept_network.nodes[nru.limb_label(limb_idx)]["data"].concept_network.nodes[branch_idx]["data"]
#                 if "distance_by_mesh_center" not in kwargs.keys():
#                     if "mesh_center" in width_name:
#                         distance_by_mesh_center = True
#                     else:
#                         distance_by_mesh_center = False
                
                
#                 current_width_array,current_width = wu.calculate_new_width(curr_branch_obj, 
#                                       skeleton_segment_size=skeleton_segment_size,
#                                       width_segment_size=width_segment_size, 
#                                       distance_by_mesh_center=distance_by_mesh_center,
#                                       return_average=True,
#                                       print_flag=False,
#                                     **kwargs)
#                 curr_branch_obj.width_new[width_name] = current_width
#                 curr_branch_obj.width_array[width_name] = current_width_array
    
    
    
    from datasci_tools import system_utils as su
[docs]    def calculate_spines_old(self,
                        #query="width > 400 and n_faces_branch>100",
                         #query="median_mesh_center > 140 and n_faces_branch>100",#previous used median_mesh_center > 140
                         query="median_mesh_center > 115 and n_faces_branch>100",#previous used median_mesh_center > 140
                        clusters_threshold=3,#2,
                        smoothness_threshold=0.12,#0.08,
                        shaft_threshold=300,
                        cgal_path=Path("./cgal_temp"),
                        print_flag=False,
                         spine_n_face_threshold=25,
                         filter_by_bounding_box_longest_side_length=True,
                         side_length_threshold = 5000,
                        filter_out_border_spines=False, #this seemed to cause a lot of misses
                        skeleton_endpoint_nullification=True,
                         skeleton_endpoint_nullification_distance = 2000,
                         soma_vertex_nullification = True,
                         border_percentage_threshold=0.3,
                        check_spine_border_perc=0.4,
                        calculate_spine_volume=True,
                         
                         #-------1/20 Addition --------
                         filter_by_volume = True,
                         filter_by_volume_threshold = 19835293, #calculated from experiments
                         
                        limb_branch_dict=None):
        
        raise Exception("Out-dated function")
        
        print(f"query = {query}")
        print(f"smoothness_threshold = {smoothness_threshold}")
        if type(query) == dict():
            functions_list = query["functions_list"]
            current_query = query["query"]
        else:
            functions_list = ["median_mesh_center","n_faces_branch"]
            current_query = query
            
        
        #check that have calculated the median mesh center if required
        if "median_mesh_center" in functions_list:
            if len(self.get_limb_node_names())>0 and "median_mesh_center" not in self[0][0].width_new.keys():
                print("The median_mesh_center was requested but has not already been calculated so calculating now.... ")
                
                wu.calculate_new_width_for_neuron_obj(self,
                                                      no_spines=False,
                                       distance_by_mesh_center=True,
                                       summary_measure="median")
            else:
                print("The median_mesh_center was requested and HAS already been calculated")
        new_branch_dict = ns.query_neuron(self,
                       functions_list=functions_list,
                       query=current_query)
        if print_flag:
            print(f"new_branch_dict = {new_branch_dict}")
 
        
        
        self._index = -1
        for limb_idx,curr_limb in enumerate(self):
            limb_idx = f"L{limb_idx}"
            
            # ------------- 1/20 Addition that allows you to specify which branches to do ------- #
            if limb_branch_dict is not None:
                if limb_idx not in list(limb_branch_dict.keys()):
                    continue
            
            
            
            if soma_vertex_nullification:
                soma_verts = np.concatenate([self[f"S{k}"].mesh.vertices for k in curr_limb.touching_somas()])
                soma_kdtree = KDTree(soma_verts)
            
            curr_limb._index = -1
            for branch_idx,curr_branch in enumerate(curr_limb):
                already_calculated_volumes = False
                if limb_idx in new_branch_dict.keys():
                    #print(f"new_branch_dict[{limb_idx}] = {new_branch_dict[limb_idx]}")
                    #print(f"branch_idx = {branch_idx}")
                    if branch_idx in new_branch_dict[limb_idx]:
                        
                        # ------------- 1/20 Addition that allows you to specify which branches to do ------- #
                        if limb_branch_dict is not None:
                            if branch_idx not in limb_branch_dict[limb_idx]:
                                continue
                        if print_flag:
                            print(f"Working on limb {limb_idx} branch {branch_idx}")
                        #calculate the spines
                        
                        #su.compressed_pickle(curr_branch,"curr_branch_before_spines")
                        
                        spine_submesh_split= spu.get_spine_meshes_unfiltered(current_neuron = self,
                                                                limb_idx=limb_idx,
                                                                branch_idx=branch_idx,
                                                                clusters=clusters_threshold,
                                                                smoothness=smoothness_threshold,
                                                                #cgal_folder = cgal_path,
                                                                #delete_temp_file=True,
                                                                return_sdf=False,
                                                                print_flag=False,
                                                                shaft_threshold=shaft_threshold)
                        
                            
                        #print(f"curr_branch.mesh = {curr_branch.mesh}")
#                         spine_submesh_split = spu.get_spine_meshes_unfiltered_from_mesh(curr_branch.mesh,
#                                                                 segment_name=f"{limb_idx}_{branch_idx}",
#                                                                 clusters=clusters_threshold,
#                                                                 smoothness=smoothness_threshold,
#                                                                 cgal_folder = cgal_path,
#                                                                 delete_temp_file=True,
#                                                                 return_sdf=False,
#                                                                 print_flag=False,
#                                                                 shaft_threshold=shaft_threshold)
                        
                        if print_flag:
                            print(f"--> n_spines found before filtering = {len(spine_submesh_split)}")
        #                 if limb_idx == "L0":
        #                     if branch_idx == 0:
        #                         print(f"spine_submesh_split = {spine_submesh_split}")
                        spine_submesh_split_filtered = spu.filter_spine_meshes(spine_submesh_split,
                                                                              spine_n_face_threshold=spine_n_face_threshold)
            
                        if filter_by_bounding_box_longest_side_length:
                            old_length = len(spine_submesh_split_filtered)
                            spine_submesh_split_filtered = tu.filter_meshes_by_bounding_box_longest_side(spine_submesh_split_filtered,
                                                                                                     side_length_threshold=side_length_threshold)
                            if len(spine_submesh_split_filtered) < old_length:
                                #print(f"Removed {old_length - len(spine_submesh_split_filtered)} spines because of side length greater than {side_length_threshold}")
                                pass
        #                 if limb_idx == "L0":
        #                     if branch_idx == 0:
        #                         print(f"spine_submesh_split_filtered = {spine_submesh_split_filtered}")
        
                        if filter_out_border_spines:
                            if print_flag:
                                print("Using the filter_out_border_spines option")
                            spine_submesh_split_filtered = spu.filter_out_border_spines(self[limb_idx][branch_idx].mesh,
                                                                                        spine_submesh_split_filtered,
                                                                                        border_percentage_threshold=border_percentage_threshold,
                                                                                        check_spine_border_perc=check_spine_border_perc,
                                                                                        verbose=print_flag
                                                                                       )
                        if skeleton_endpoint_nullification:
                            if print_flag:
                                print("Using the skeleton_endpoint_nullification option")
                                
                            
                            curr_branch_end_coords = sk.find_skeleton_endpoint_coordinates(self[limb_idx][branch_idx].skeleton)
                                
                            spine_submesh_split_filtered = tu.filter_meshes_by_containing_coordinates(spine_submesh_split_filtered,
                                                                        curr_branch_end_coords,
                                                                        distance_threshold=skeleton_endpoint_nullification_distance)
                        
                        if soma_vertex_nullification:
                            if print_flag:
                                print("Using the soma_vertex_nullification option")
                                
                            spine_submesh_split_filtered = spu.filter_out_soma_touching_spines(spine_submesh_split_filtered,
                                                                        soma_kdtree=soma_kdtree)
                        
                        
                        if filter_by_volume:
                            """
                            Pseudocode: 
                            1) Calculate the volumes of all the spines
                            2) Filter those spines for only those above the volume
                            
                            """
                            
                            
                            if len(spine_submesh_split_filtered) > 0:
                                
                                
                                spine_volumes = np.array([tu.mesh_volume(k) for k in spine_submesh_split_filtered])
                                volume_kept_idx = np.where(spine_volumes > filter_by_volume_threshold)[0]
                                spine_submesh_split_filtered = [spine_submesh_split_filtered[k] for k in volume_kept_idx]
                                
                                curr_branch.spines_volume = list(spine_volumes[volume_kept_idx])
                                
                                already_calculated_volumes = True
                                                         
                        if print_flag:
                            print(f"--> n_spines found = {len(spine_submesh_split_filtered)}")
                        curr_branch.spines = spine_submesh_split_filtered
                        
                    else:
                        curr_branch.spines = None
                else:
                    curr_branch.spines = None
                
                # will compute the spine volumes if asked for 
                if calculate_spine_volume and not already_calculated_volumes:
                    curr_branch.compute_spines_volume() 
    @property          
    def limb_area(self):
        self._index = -1
        return np.sum([k.area for k in self])
    
    @property          
    def soma_area(self):
        soma_node_names = self.get_soma_node_names()
        return np.sum([self[k].area for k in soma_node_names])
    
    @property 
    def area(self):
        return self.limb_area
    
    @property 
    def area_with_somas(self):
        return self.limb_area + self.soma_area
    
    @property
    def limb_mesh_volume(self):
        self._index = -1
        return np.sum([k.mesh_volume for k in self])
    
    @property
    def soma_mesh_volume(self):
        soma_node_names = self.get_soma_node_names()
        return np.sum([self[k].volume for k in soma_node_names])
    
    @property 
    def mesh_volume(self):
        return self.limb_mesh_volume
    
    
    @property 
    def mesh_volume_with_somas(self):
        return self.limb_mesh_volume + self.soma_mesh_volume
    
    
    @property
    def spines(self):
        return nru.feature_list_over_object(self,"spines")
    @property
    def boutons(self):
        return nru.feature_list_over_object(self,"boutons")
    
    @property
    def synapses(self):
        return nru.feature_list_over_object(self,"synapses")
    
    @property
    def spines_obj(self):
        return nru.feature_list_over_object(self,"spines_obj")
    
    
    @property
    def n_synapses(self):
        return syu.n_synapses(self)
    
    @property
    def synapses_pre(self):
        return syu.synapses_pre(self)
    
    @property
    def n_synapses_pre(self):
        return syu.n_synapses_pre(self)
    
    @property
    def n_synapses_post(self):
        return syu.n_synapses_post(self)
    
    @property
    def synapses_post(self):
        return syu.synapses_post(self)
    
    @property
    def synapse_density_pre(self):
        return syu.synapse_density_pre(self)
    
    @property
    def synapse_density_post(self):
        return syu.synapse_density_post(self)
    
    @property
    def web(self):
        return nru.feature_list_over_object(self,"web")
    
    @property
    def spines_volume(self):
        return list(nru.feature_list_over_object(self,"spines_volume"))
    @property
    def boutons_volume(self):
        return nru.feature_list_over_object(self,"boutons_volume")
    
[docs]    def compute_spines_volume(self):
        nru.compute_feature_over_object(self,"spines_volume") 
        
[docs]    def compute_boutons_volume(self):
        nru.compute_feature_over_object(self,"boutons_volume") 
    
    
    '''
    @property
    def spines(self):
        self._index = -1
        total_spines = []
        for b in self:
            if not b.spines is None:
                total_spines += b.spines
        return total_spines
    
    
    @property
    def spines_volume(self):
        self._index = -1
        total_spines_volume = []
        for b in self:
            if not b.spines_volume is None:
                total_spines_volume += b.spines_volume
        return total_spines_volume
    
    def compute_spines_volume(self):
        self._index = -1
        for b in self:
            b.compute_spines_volume()
    '''
        
    
[docs]    def plot_soma_limb_concept_network(self,
                                      soma_color="red",
                                      limb_color="aqua",
                                      node_size=800,
                                      font_color="black",
                                      node_colors=dict(),
                                      **kwargs):
        """
        Purpose: To plot the connectivity of the soma and the meshes in the neuron
        
        How it was developed: 
        
        from datasci_tools import networkx_utils as xu
        xu = reload(xu)
        node_list = xu.get_node_list(my_neuron.concept_network)
        node_list_colors = ["red" if "S" in n else "blue" for n in node_list]
        nx.draw(my_neuron.concept_network,with_labels=True,node_color=node_list_colors,
               font_color="white",node_size=500)
        
        """
        
        nviz.plot_soma_limb_concept_network(self,
                                              soma_color=soma_color,
                                              limb_color=limb_color,
                                              node_size=node_size,
                                              font_color=font_color,
                                              node_colors=node_colors,
                                              **kwargs
                                            
                                           ) 
    
[docs]    def axon_classification(self,**kwargs):
        clu.axon_classification(self,**kwargs) 
    
    @property
    def axon_mesh(self):
        return nru.axon_mesh(self)
    
    @property
    def dendrite_mesh(self):
        return nru.dendrite_mesh(self)
    
    @property
    def axon_skeleton(self):
        return nru.axon_skeleton(self)
    
    @property
    def axon_limb_branch_dict(self):
        return au.axon_limb_branch_dict(self)
    
    @property 
    def non_axon_like_limb_branch_on_dendrite(self):
        return nru.non_axon_like_limb_branch_on_dendrite(self)
    
    @property
    def dendrite_limb_branch_dict(self):
        return au.dendrite_limb_branch_dict(self)
    
    @property
    def axon_on_dendrite_limb_branch_dict(self):
        return au.axon_on_dendrite_limb_branch_dict(self)
    
    @property
    def dendrite_on_axon_limb_branch_dict(self):
        return au.dendrite_on_axon_limb_branch_dict(self)
[docs]    def label_limb_branch_dict(self,label):
        return nru.label_limb_branch_dict(self,label) 
    
    @property
    def apical_shaft_limb_branch_dict(self):
        return apu.apical_shaft_limb_branch_dict(self)
    
    @property
    def apical_limb_branch_dict(self):
        return apu.apical_limb_branch_dict(self)
    
    @property
    def apical_tuft_limb_branch_dict(self):
        return apu.apical_tuft_limb_branch_dict(self)
    
    @property
    def basal_limb_branch_dict(self):
        return apu.basal_limb_branch_dict(self)
    
    @property
    def oblique_limb_branch_dict(self):
        return apu.oblique_limb_branch_dict(self)
    
    @property
    def axon_skeleton(self):
        return nru.axon_skeleton(self)
    
    @property
    def dendrite_skeleton(self):
        return nru.dendrite_skeleton(self)
    
    @property
    def axon_starting_coordinate(self):
        return clu.axon_starting_coordinate(self)
    
    @property
    def axon_starting_branch(self):
        return clu.axon_starting_branch(self)
    
    @property
    def axon_limb_name(self):
        if len(self.axon_limb_branch_dict) == 0:
            return None
        else:
            return list(self.axon_limb_branch_dict.keys())[0]
        
    @property
    def axon_limb(self):
        ax_limb_name = self.axon_limb_name
        
        if ax_limb_name is not None:
            return self[ax_limb_name]
        else:
            return None
    
    @property
    def axon_limb_idx(self):
        ax_name = self.axon_limb_name
        if ax_name is None:
            return ax_name
        else:
            return nru.get_limb_int_name(ax_name)
    
        
[docs]    def plot_limb_concept_network(self,
                                  limb_name="",
                                 limb_idx=-1,
                                  node_size=0.3,
                                  directional=True,
                                 append_figure=False,
                                 show_at_end=True,**kwargs):
        if limb_name == "":
            if limb_idx == -1:
                raise Exception("Limb name and limb_idx both not specified")
            limb_name = f"L{limb_idx}"
            
        if directional:
            curr_limb_concept_network_directional = self.concept_network.nodes[limb_name]["data"].concept_network_directional
        else:
            curr_limb_concept_network_directional = self.concept_network.nodes[limb_name]["data"].concept_network
        nviz.plot_concept_network(curr_concept_network = curr_limb_concept_network_directional,
                            scatter_size=node_size,
                            show_at_end=show_at_end,
                            append_figure=append_figure,**kwargs) 
    
    # ---- 11/20 functions that will help compute statistics of the neuron object ----------
    
    # -- skeleton and branch data ---
    @property
    def n_error_limbs(self):
        return nru.n_error_limbs(self)
    @property
    def same_soma_multi_touching_limbs(self):
        return nru.same_soma_multi_touching_limbs(self)
    @property
    def multi_soma_touching_limbs(self):
        return nru.multi_soma_touching_limbs(self)
    
    @property
    def n_somas(self):
        return nru.n_somas(self)
    
    @property
    def n_limbs(self):
        return nru.n_limbs(self)
    
    @property
    def n_branches_per_limb(self):
        return nru.n_branches_per_limb(self)
    
    @property
    def n_branches(self):
        return nru.n_branches(self)
    
    @property
    def skeleton_length_per_limb(self):
        return nru.skeleton_length_per_limb(self)
    
    @property
    def skeletal_length(self):
        return nru.skeletal_length(self)
    
    @property
    def max_limb_skeletal_length(self):
        return nru.max_limb_skeletal_length(self)
    
    @property 
    def max_limb_n_branches(self):
        return nru.max_limb_n_branches(self)
    
    @property
    def median_branch_length(self):
        return nru.median_branch_length(self)
    
    # -- width data --
    @property
    def width_median(self):
        return nru.width_median(self)
    
    @property
    def width_no_spine_median(self):
        return nru.width_no_spine_median(self)
    @property
    def width_90_perc(self):
        return nru.width_perc(self,perc=90)
    @property
    def width_no_spine_90_perc(self):
        return nru.width_no_spine_perc(self,perc=90)
    
    
    # -- spine entries--
    @property
    def n_spines(self):
        return nru.n_spines(self)
    
    @property
    def n_boutons(self):
        return nru.n_boutons(self)
    @property
    def spine_density(self):
        return nru.spine_density(self)
    
    @property
    def spines_per_branch(self):
        return nru.spines_per_branch(self)
    @property
    def n_spine_eligible_branches(self):
        return nru.n_spine_eligible_branches(self)
    @property
    def spine_eligible_branch_lengths(self):
        return nru.spine_eligible_branch_lengths(self)
    @property
    def skeletal_length_eligible(self):
        return nru.skeletal_length_eligible(self)
    
    @property
    def spine_density_eligible(self):
        return nru.spine_density_eligible(self)
    @property
    def spines_per_branch_eligible(self):
        return nru.spines_per_branch_eligible(self)
    
    # ------ spine volume issues ----
    @property
    def total_spine_volume(self):
        return nru.total_spine_volume(self)
    @property
    def spine_volume_median(self):
        return nru.spine_volume_median(self)
    
    @property
    def spine_volume_density(self):
        return nru.spine_volume_density(self)
    
    @property
    def spine_volume_density_eligible(self):
        return nru.spine_volume_density_eligible(self)
    
    @property
    def spine_volume_per_branch_eligible(self):
        return nru.spine_volume_per_branch_eligible(self)
    @property
    def max_soma_n_faces(self):
        return nru.max_soma_n_faces(self)
    
    @property
    def max_soma_volume(self):
        return nru.max_soma_volume(self)
    
    @property
    def max_soma_area(self):
        return nru.max_soma_area(self)
    
    @property
    def n_vertices(self):
        return len(self.mesh.vertices)
    
    @property
    def n_faces(self):
        return len(self.mesh.faces)
    
    @property
    def axon_length(self):
        return nru.axon_length(self)
    
    @property
    def axon_area(self):
        return nru.axon_area(self)
    
    @property
    def limb_branch_dict(self):
        return nru.neuron_limb_branch_dict(self)
    
[docs]    def neuron_stats(self,stats_to_ignore=None,
                     include_skeletal_stats = False,
                    include_centroids= False,
                     voxel_adjustment_vector = None,
                     cell_type_mode = False,
                    **kwargs):
        return nst.neuron_stats(self,
                    stats_to_ignore=stats_to_ignore,
                     include_skeletal_stats = include_skeletal_stats,
                    include_centroids= include_centroids,
                     voxel_adjustment_vector = voxel_adjustment_vector,
                     cell_type_mode = cell_type_mode,
                    **kwargs) 
    
[docs]    def neuron_stats_old(self,stats_to_ignore=None,
                     include_skeletal_stats = False,
                    include_centroids= False,
                     voxel_adjustment_vector = None,
                     cell_type_mode = False,
                    **kwargs):
        if cell_type_mode:
            stats_to_ignore = [
                "n_not_processed_soma_containing_meshes",
                "n_error_limbs",
                "n_same_soma_multi_touching_limbs",
                "n_multi_soma_touching_limbs",
                "n_somas",
                "spine_density"
                ]
            include_skeletal_stats = False
            include_centroids= True
            
            
        stats_dict = dict(
                        n_vertices = self.n_vertices,
                        n_faces = self.n_faces,
            
                        axon_length = self.axon_length,
                        axon_area = self.axon_area,
            
                        max_soma_volume = self.max_soma_volume,
                        max_soma_n_faces = self.max_soma_n_faces,
                        max_soma_area = self.max_soma_area,
            
            
                        n_not_processed_soma_containing_meshes = len(self.not_processed_soma_containing_meshes),
                        n_error_limbs=self.n_error_limbs,
                        n_same_soma_multi_touching_limbs=len(self.same_soma_multi_touching_limbs),
                        n_multi_soma_touching_limbs = len(self.multi_soma_touching_limbs),
                        n_somas=self.n_somas,
                        n_limbs=self.n_limbs,
                        n_branches=self.n_branches,
                        max_limb_n_branches=self.max_limb_n_branches,
                       
                        skeletal_length=self.skeletal_length,
                        max_limb_skeletal_length=self.max_limb_skeletal_length,
                        median_branch_length=self.median_branch_length,
                        width_median=self.width_median, #median width from mesh center without spines removed
                        width_no_spine_median=self.width_no_spine_median, #median width from mesh center with spines removed
                        width_90_perc=self.width_90_perc, # 90th percentile for width without spines removed
                        width_no_spine_90_perc=self.width_no_spine_90_perc,  # 90th percentile for width with spines removed
                        n_spines=self.n_spines,
                        n_boutons=self.n_boutons,
                        spine_density=self.spine_density, # n_spines/ skeletal_length
                        spines_per_branch=self.spines_per_branch,
                        skeletal_length_eligible=self.skeletal_length_eligible, # the skeletal length for all branches searched for spines
                        n_spine_eligible_branches=self.n_spine_eligible_branches,
                        spine_density_eligible = self.spine_density_eligible,
                        spines_per_branch_eligible = self.spines_per_branch_eligible,
                        total_spine_volume=self.total_spine_volume, # the sum of all spine volume
                        spine_volume_median = self.spine_volume_median,
                        spine_volume_density=self.spine_volume_density, #total_spine_volume/skeletal_length
                        spine_volume_density_eligible=self.spine_volume_density_eligible, #total_spine_volume/skeletal_length_eligible
                        spine_volume_per_branch_eligible=self.spine_volume_per_branch_eligible, #total_spine_volume/n_spine_eligible_branche
        
        
        
        )
        
        if stats_to_ignore is not None:
            for s in stats_to_ignore:
                del stats_dict[s]
                
        if include_skeletal_stats:
            sk_dict = nst.features_from_neuron_skeleton_and_soma_center(self,
                                                  verbose = False,
                                                  features_to_exclude=("length","n_branches"),
                                                 )
            stats_dict.update(sk_dict)
            
            
        if include_centroids:
            cent_stats = nst.centroid_stats_from_neuron_obj(self,
                                                           voxel_adjustment_vector=voxel_adjustment_vector)
            stats_dict.update(cent_stats)
            
        
        return stats_dict 
    
    @property
    def mesh_kdtree(self):
        """A kdtree of the original mesh"""
        if self._mesh_kdtree is None:
            self._mesh_kdtree = KDTree(self.mesh.triangles_center)
        return self._mesh_kdtree
    
    @property
    def mesh_from_branches(self):
        return nru.neuron_mesh_from_branches(self)
    
    
    # ------- 6/9: The pre and post of the errored meshes
    @property
    def n_mesh_errored_synapses(self):
        return len(self.mesh_errored_synapses)
    
    
    @property
    def mesh_errored_synapses_pre(self):
        return syu.synapses_pre(self.mesh_errored_synapses)
    
    @property
    def n_mesh_errored_synapses_pre(self):
        return len(self.mesh_errored_synapses_pre)
    
    @property
    def n_mesh_errored_synapses_post(self):
        return len(self.mesh_errored_synapses_post)
    
    @property
    def mesh_errored_synapses_post(self):
        return syu.synapses_post(self.mesh_errored_synapses)
    
    
    
    @property
    def n_distance_errored_synapses(self):
        return len(self.distance_errored_synapses)
    
    @property
    def distance_errored_synapses_pre(self):
        return syu.synapses_pre(self.distance_errored_synapses)
    
    @property
    def n_distance_errored_synapses_pre(self):
        return len(self.distance_errored_synapses_pre)
    
    @property
    def n_distance_errored_synapses_post(self):
        return len(self.distance_errored_synapses_post)
    
    @property
    def distance_errored_synapses_post(self):
        return syu.synapses_post(self.distance_errored_synapses)
    
    @property
    def synapses_somas(self):
        return syu.synapses_somas(self)
    
    @property
    def synapses_error(self):
        return syu.synapses_error(self)
    
    @property 
    def synapses_valid(self):
        return syu.synapses_valid(self)
    
    @property 
    def n_synapses_valid(self):
        return len(self.synapses_valid)
    
    @property
    def synapses_total(self):
        return syu.synapses_total(self)
    
    @property
    def n_synapses_somas(self):
        return len(self.synapses_somas)
    
    @property
    def n_synapses_error(self):
        return len(self.synapses_error)
    
    @property
    def n_synapses_total(self):
        return len(self.synapses_total)
    
    
    @property
    def merge_filter_suggestions(self):
        """
        a dictionary data structure that stores a list for each merge error filter of merge filter suggestions that would be the minimal cuts that would eliminate all merge errors of that type . 
        Each filter detection is a dictionary storing meta data about the suggestion, with the following as some of the keys:
            - valid points: coordinates that should belong to the existing neuronal process ( a marker of where the valid mesh is). 
            - error points: coordinates that should belong to incorrect neuronal process resulting from merge errors ( a marker of where the error mesh starts)
            - coordinate: locations of split points used in the elimination of soma to soma paths
            The valid and error points can be used as inputs for automatic mesh splitting algorithms in other pipelines (ex: Neuroglancer)
        
        """
        try:
            rb_suggestions = self.pipeline_products["auto_proof"]["red_blue_suggestions"]
        except:
            return dict()
        
        return pru.merge_error_red_blue_suggestions_clean(
                    rb_suggestions
                )
        
    @property
    def merge_filter_locations(self):
        """
        a nested dictionary datastructure storing the information on where the merge error filters were trigger. 
        The order that the merge error filters was applied matters because the branches that triggered the filter are only those that had not triggered an early applied filter, and thus it was not already filtered away.
        Note: this product includes all branches that triggered the filter at this stage, regardless if they were downstream of another
        The datastructure is organized in the following way:
        merge error filter name: --> dict
            limb name: 
                list of 2x3 arrays that stores coordinates of the endpoints the skeleton of the branch that triggered the merge error filter (1st coordinate is upstream branch)
        """
        try:
            return self.pipeline_products["auto_proof"]["split_locations_before_filter"]
        except:
            return dict() 
        
#--- from neurd_packages ---
from . import apical_utils as apu
from . import axon_utils as au
from . import branch_utils as bu
from . import classification_utils as clu
from . import preprocess_neuron as pre
from . import soma_extraction_utils as sm
from . import spine_utils as spu
from . import synapse_utils as syu
from . import width_utils as wu
from . import proofreading_utils as pru
object_name_to_class = dict(synapses=syu.Synapse,
                           spines_obj = spu.Spine)
#--- from mesh_tools ---
from mesh_tools import compartment_utils as cu
from mesh_tools import meshlab
from mesh_tools import skeleton_utils as sk
from mesh_tools import trimesh_utils as tu
#--- from datasci_tools ---
from datasci_tools import algorithms_utils as agu
from datasci_tools import matplotlib_utils as mu
from datasci_tools import networkx_utils as xu
from datasci_tools import numpy_dep as np
from datasci_tools import numpy_utils as nu
from datasci_tools import system_utils as su
from datasci_tools import pipeline as pl
from . import neuron_searching as ns
from . import neuron_statistics as nst
from . import neuron_utils as nru
from . import neuron_visualizations as nviz
from . import soma_splitting_utils as ssu