NESTML active dendrite tutorial

In this tutorial, we create a neuron model with a “nonlinear” or “active” dendritic compartment, that can, independently from the soma, generate a dendritic action potential. Instead of modeling the membrane potential of the dendritic compartment explicitly, the dendritic action potential (dAP) is modeled here as the injection of a rectangular (pulse shaped) dendritic current into the soma, parameterized by an amplitude and a duration. The rectangular shape can be interpreted as the approximation of an NMDA spike (Antic et al. 2010). A dendritic action potential is triggered when the total synaptic current exceeds a threshold.

The model is an adapted version of the neuron model introduced by Memmesheimer et al. (2012) and Jahnke et al. (2012), and has been used in (Bouhadjar et al., 2022).

Table of contents

[1]:
%matplotlib inline
import matplotlib as mpl
import matplotlib.pyplot as plt
import nest
import numpy as np
import os
from pynestml.frontend.pynestml_frontend import generate_nest_target

NEST_SIMULATOR_INSTALL_LOCATION = nest.ll_api.sli_func("statusdict/prefix ::")

              -- N E S T --
  Copyright (C) 2004 The NEST Initiative

 Version: master@c73351d27
 Built: Feb 22 2023 17:35:39

 This program is provided AS IS and comes with
 NO WARRANTY. See the file LICENSE for details.

 Problems or suggestions?
   Visit https://www.nest-simulator.org

 Type 'nest.help()' to find out more about NEST.

Adding dAP current to the model

We will use a standard, linear integrate-and-fire neuron with the governing equation:

\begin{align} \frac{dV_m}{dt} &= -\frac{1}{\tau_m} (V_m - E_L) + \frac{1}{C_m} (I_{syn} + I_{dAP}) \end{align}

Here, the term \(I_{syn}\) contains all the currents flowing into the soma due to synaptic input, and \(I_{dAP}\) contains the contribution of a dendritic action potential.

Implementing the pulse shape

The dAP current is modeled here as a rectangular (pulse) function, parameterized by an amplitude (current strength) and width (duration).

parameters:
    I_dAP_peak pA = 150 pA   # current clamp value for I_dAP during a dendritic action potential
    T_dAP ms = 10 ms         # time window over which the dendritic current clamp is active
    ...

We also define a synaptic current threshold that, when crossed, initiates the dendritic action potential:

parameters:
    I_th pA = 100 pA         # current threshold for a dendritic action potential
    ...

The current is switched on and off as follows. When a dendritic action potential is triggered, the magnitude of the I_dAP current is set to I_dAP_peak, and a timer variable t_dAP is set to the duration of the current pulse, T_dAP. At each future run of the NESTML update block, the timer is decremented until it reaches 0, at which point the dendritic action potential current I_dAP is set back to zero.

update:
    if t_dAP > 0 ms:
        # during a dendritic action potential pulse
        t_dAP -= resolution()
    if t_dAP <= 0 ms:
        # end of dendritic action potential
        I_dAP = 0 pA
        t_dAP = 0 ms

    if I_syn > I_th:
        # current-threshold, emit a dendritic action potential
        t_dAP = T_dAP
        I_dAP = I_dAP_peak

The complete neuron model is as follows:

[2]:
nestml_active_dend_model = '''
neuron iaf_psc_exp_active_dendrite:
    state:
        V_m mV = 0 mV     # membrane potential
        t_dAP ms = 0 ms   # dendritic action potential timer
        I_dAP pA = 0 pA   # dendritic action potential current magnitude

    equations:
        # alpha shaped postsynaptic current kernel
        kernel syn_kernel = (e / tau_syn) * t * exp(-t / tau_syn)
        recordable inline I_syn pA = convolve(syn_kernel, spikes_in)
        V_m' = -(V_m - E_L) / tau_m + (I_syn + I_dAP + I_e) / C_m

    parameters:
        C_m pF = 250 pF          # capacity of the membrane
        tau_m ms = 20 ms         # membrane time constant
        tau_syn ms = 10 ms       # time constant of synaptic current
        V_th mV = 25 mV          # action potential threshold
        V_reset mV = 0 mV        # reset voltage
        I_e    pA = 0 pA         # external current
        E_L    mV = 0 mV         # resting potential

        # dendritic action potential
        I_th pA = 100 pA         # current threshold for a dendritic action potential
        I_dAP_peak pA = 150 pA   # current clamp value for I_dAP during a dendritic action potential
        T_dAP ms = 10 ms         # time window over which the dendritic current clamp is active

    input:
        spikes_in pA <- spike

    output:
        spike

    update:
        # solve ODEs
        integrate_odes()

        if t_dAP > 0 ms:
            t_dAP -= resolution()
        if t_dAP <= 0 ms:
            # end of dendritic action potential
            t_dAP = 0 ms
            I_dAP = 0 pA

        if I_syn > I_th:
            # current-threshold, emit a dendritic action potential
            t_dAP = T_dAP
            I_dAP = I_dAP_peak

        # emit somatic action potential
        if V_m > V_th:
            emit_spike()
            V_m = V_reset

'''

Save to a temporary file and make the model available to instantiate in NEST (see Running NESTML):

[3]:
with open("iaf_psc_exp_active_dendrite.nestml", "w") as nestml_model_file:
    print(nestml_active_dend_model, file=nestml_model_file)

generate_nest_target(input_path="iaf_psc_exp_active_dendrite.nestml",
                     target_path="/tmp/nestml-active-dend-target",
                     module_name="nestml_active_dend_module",
                     suffix="_nestml",
                     logging_level="ERROR",  # try "INFO" for more debug information
                     codegen_opts={"nest_path": NEST_SIMULATOR_INSTALL_LOCATION})
nest.Install("nestml_active_dend_module")
Warning: PyGSL is not available. The stiffness test will be skipped.
Warning: No module named 'pygsl'



              -- N E S T --
  Copyright (C) 2004 The NEST Initiative

 Version: master@c73351d27
 Built: Feb 22 2023 17:35:39

 This program is provided AS IS and comes with
 NO WARRANTY. See the file LICENSE for details.

 Problems or suggestions?
   Visit https://www.nest-simulator.org

 Type 'nest.help()' to find out more about NEST.

CMake Warning:
  Ignoring empty string ("") provided on the command line.


-- The CXX compiler identification is AppleClang 14.0.0.14000029
-- Detecting CXX compiler ABI info
-- Detecting CXX compiler ABI info - done
-- Check for working CXX compiler: /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/c++ - skipped
-- Detecting CXX compile features
-- Detecting CXX compile features - done

-------------------------------------------------------
nestml_active_dend_module Configuration Summary
-------------------------------------------------------

C++ compiler         : /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/c++
Build static libs    : OFF
C++ compiler flags   :
NEST compiler flags  :  -std=c++11 -Wall -Xclang -fopenmp -O2
NEST include dirs    :  -I/Users/pooja/nest/include/nest -I/usr/local/include -I/Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX13.1.sdk/usr/include -I/usr/local/Cellar/gsl/2.7/include -I/Users/pooja/miniconda3/envs/nestml_3.10/include
NEST libraries flags : -L/Users/pooja/nest/lib/nest -lnestutil -lsli -lnestkernel -Xclang -fopenmp /usr/local/lib/libltdl.dylib /Users/pooja/miniconda3/envs/nestml_3.10/lib/libreadline.dylib /Users/pooja/miniconda3/envs/nestml_3.10/lib/libncurses.dylib /usr/local/Cellar/gsl/2.7/lib/libgsl.dylib /usr/local/Cellar/gsl/2.7/lib/libgslcblas.dylib

-------------------------------------------------------

You can now build and install 'nestml_active_dend_module' using
  make
  make install

The library file libnestml_active_dend_module.so will be installed to
  /Users/pooja/nest/lib/nest
The module can be loaded into NEST using
  (nestml_active_dend_module) Install       (in SLI)
  nest.Install(nestml_active_dend_module)   (in PyNEST)

CMake Warning (dev) in CMakeLists.txt:
  No cmake_minimum_required command is present.  A line of code such as

    cmake_minimum_required(VERSION 3.23)

  should be added at the top of the file.  The version specified may be lower
  if you wish to support older CMake versions for this project.  For more
  information run "cmake --help-policy CMP0000".
This warning is for project developers.  Use -Wno-dev to suppress it.

-- Configuring done
-- Generating done
-- Build files have been written to: /tmp/nestml-active-dend-target
Consolidate compiler generated dependencies of target nestml_active_dend_module_module
[ 66%] Building CXX object CMakeFiles/nestml_active_dend_module_module.dir/iaf_psc_exp_active_dendrite_nestml.o
[ 66%] Building CXX object CMakeFiles/nestml_active_dend_module_module.dir/nestml_active_dend_module.o
In file included from /tmp/nestml-active-dend-target/iaf_psc_exp_active_dendrite_nestml.cpp:43:
/tmp/nestml-active-dend-target/iaf_psc_exp_active_dendrite_nestml.h:220:17: warning: 'iaf_psc_exp_active_dendrite_nestml::get_C_m' hides overloaded virtual function [-Woverloaded-virtual]
  inline double get_C_m() const
                ^
/Users/pooja/nest/include/nest/node.h:692:18: note: hidden overloaded virtual function 'nest::Node::get_C_m' declared here: different number of parameters (1 vs 0)
  virtual double get_C_m( int comp );
                 ^
In file included from /tmp/nestml-active-dend-target/nestml_active_dend_module.cpp:47:
/tmp/nestml-active-dend-target/iaf_psc_exp_active_dendrite_nestml.h:220:17: warning: 'iaf_psc_exp_active_dendrite_nestml::get_C_m' hides overloaded virtual function [-Woverloaded-virtual]
  inline double get_C_m() const
                ^
/Users/pooja/nest/include/nest/node.h:692:18: note: hidden overloaded virtual function 'nest::Node::get_C_m' declared here: different number of parameters (1 vs 0)
  virtual double get_C_m( int comp );
                 ^
/tmp/nestml-active-dend-target/iaf_psc_exp_active_dendrite_nestml.cpp:109:16: warning: unused variable '__resolution' [-Wunused-variable]
  const double __resolution = nest::Time::get_resolution().get_ms();  // do not remove, this is necessary for the resolution() function
               ^
1 warning generated.
2 warnings generated.
[100%] Linking CXX shared module nestml_active_dend_module.so
[100%] Built target nestml_active_dend_module_module
Consolidate compiler generated dependencies of target nestml_active_dend_module_module
[100%] Built target nestml_active_dend_module_module
Install the project...
-- Install configuration: ""
-- Installing: /Users/pooja/nest/lib/nest/nestml_active_dend_module.so

Mar 07 18:23:02 Install [Info]:
    loaded module nestml_active_dend_module

Running the simulation in NEST

Let’s define a function that will instantiate the active dendrite model, run a simulation, and plot and return the results.

[6]:
def evaluate_neuron(neuron_name, neuron_parms=None, t_sim=100., plot=True):
    """
    Run a simulation in NEST for the specified neuron. Inject a stepwise
    current and plot the membrane potential dynamics and action potentials generated.

    Returns the number of postsynaptic action potentials that occurred.
    """
    dt = .1   # [ms]

    nest.ResetKernel()
    try:
        nest.Install("nestml_active_dend_module")
    except :
        pass
    neuron = nest.Create(neuron_name)
    if neuron_parms:
        for k, v in neuron_parms.items():
            nest.SetStatus(neuron, k, v)

    sg = nest.Create("spike_generator", params={"spike_times": [10., 20., 30., 40., 50.]})

    multimeter = nest.Create("multimeter")
    record_from_vars = ["V_m", "I_syn", "I_dAP"]
    if "enable_I_syn" in neuron.get().keys():
        record_from_vars += ["enable_I_syn"]
    multimeter.set({"record_from": record_from_vars,
                    "interval": dt})
    sr_pre = nest.Create("spike_recorder")
    sr = nest.Create("spike_recorder")

    nest.Connect(sg, neuron, syn_spec={"weight": 50., "delay": 1.})
    nest.Connect(multimeter, neuron)
    nest.Connect(sg, sr_pre)
    nest.Connect(neuron, sr)

    nest.Simulate(t_sim)

    mm = nest.GetStatus(multimeter)[0]
    timevec = mm.get("events")["times"]
    I_syn_ts = mm.get("events")["I_syn"]
    I_dAP_ts = mm.get("events")["I_dAP"]
    ts_somatic_curr = I_syn_ts + I_dAP_ts
    if "enable_I_syn" in mm.get("events").keys():
        enable_I_syn = mm.get("events")["enable_I_syn"]
        ts_somatic_curr = enable_I_syn * I_syn_ts + I_dAP_ts

    ts_pre_sp = nest.GetStatus(sr_pre, keys='events')[0]['times']
    ts_sp = nest.GetStatus(sr, keys='events')[0]['times']
    n_post_spikes = len(ts_sp)

    if plot:
        n_subplots = 3
        n_ticks = 4
        if "enable_I_syn" in mm.get("events").keys():
            n_subplots += 1
        fig, ax = plt.subplots(n_subplots, 1, dpi=100)
        ax[0].scatter(ts_pre_sp, np.zeros_like(ts_pre_sp), marker="d", c="orange", alpha=.8, zorder=99)
        ax[0].plot(timevec, I_syn_ts, label=r"I_syn")
        ax[0].set_ylabel("I_syn [pA]")
        ax[0].set_ylim(0, np.round(1.1*np.amax(I_syn_ts)/50)*50)
        ax[0].yaxis.set_major_locator(mpl.ticker.LinearLocator(n_ticks))
        twin_ax = ax[0].twinx()
        twin_ax.plot(timevec, I_dAP_ts, linestyle="--", label=r"I_dAP")
        twin_ax.set_ylabel("I_dAP [pA]")
        twin_ax.set_ylim(0, max(3, np.round(1.1*np.amax(I_dAP_ts)/50)*50))
        twin_ax.legend(loc="upper right")
        twin_ax.yaxis.set_major_locator(mpl.ticker.LinearLocator(n_ticks))
        ax[-2].plot(timevec, ts_somatic_curr, label="total somatic\ncurrent")
        ax[-2].set_ylabel("[pA]")
        if "enable_I_syn" in mm.get("events").keys():
            ax[1].plot(timevec, enable_I_syn, label="enable_I_syn")
            ax[1].set_ylim([-.05, 1.05])
            ax[1].set_yticks([0, 1])
        ax[-1].plot(timevec, mm.get("events")["V_m"], label="V_m")
        ax[-1].scatter(ts_sp, np.zeros_like(ts_sp), marker="d", c="olivedrab", alpha=.8, zorder=99)
        ax[-1].set_ylabel("V_m [mV]")
        ax[-1].set_xlabel("Time [ms]")
        for _ax in set(ax) | set([twin_ax]):
            _ax.grid()
            if not _ax == twin_ax: _ax.legend(loc="upper left")
            if not _ax == ax[-1]: _ax.set_xticklabels([])
            for _loc in ['top', 'right', 'bottom', 'left']: _ax.spines[_loc].set_visible(False) # hide axis outline
        for o in fig.findobj(): o.set_clip_on(False)  # disable clipping
        fig.show()

        return n_post_spikes
[7]:
n_post_sp = evaluate_neuron("iaf_psc_exp_active_dendrite_nestml", neuron_parms={"I_th": 100., "I_dAP_peak": 400.})
assert n_post_sp == 2   # check for correctness of the result

Mar 07 18:23:31 NodeManager::prepare_nodes [Info]:
    Preparing 5 nodes for simulation.

Mar 07 18:23:31 SimulationManager::start_updating_ [Info]:
    Number of local nodes: 5
    Simulation time (ms): 100
    Number of OpenMP threads: 1
    Not using MPI

Mar 07 18:23:31 SimulationManager::run [Info]:
    Simulation finished.
../../_images/tutorials_active_dendrite_nestml_active_dendrite_tutorial_8_1.png

In the top panel, we can see the synaptic and dAP currents separately. Incoming action potentials from the presynaptic partner, triggering postsynaptic currents, are indicated by orange diamonds ♦. The middle panel shows the total synaptic current, which is equal to the sum of synaptic and dendritic action potential current. The bottom panel shows the resulting postsynaptic membrane potential, and postsynaptic (somatic) action potentials using green diamonds ♦.

The presynaptic action potentials by themselves are not sufficient by themselves to trigger a postsynaptic action potential, which can be seen by setting the dAP threshold to a very high value, preventing it from triggering. No postsynaptic spikes are observed.

[8]:
n_post_sp = evaluate_neuron("iaf_psc_exp_active_dendrite_nestml", neuron_parms={"I_th": 9999.})
assert n_post_sp == 0   # check for correctness of the result

Mar 07 18:23:43 NodeManager::prepare_nodes [Info]:
    Preparing 5 nodes for simulation.

Mar 07 18:23:43 SimulationManager::start_updating_ [Info]:
    Number of local nodes: 5
    Simulation time (ms): 100
    Number of OpenMP threads: 1
    Not using MPI

Mar 07 18:23:43 SimulationManager::run [Info]:
    Simulation finished.
../../_images/tutorials_active_dendrite_nestml_active_dendrite_tutorial_10_1.png

Dynamically controlling synaptic integration

We now add the additional requirement for the dendritic action potential to disable synaptic integration. When a dendritic action potential happens, we want to ignore synaptic currents for the duration of the action potential, and to reset the synaptic currents such that any presynaptic activity before the dendritic action potential is ignored.

To do this, we add a state variable enable_I_syn, that will have the value 1 if synaptic current integration is enabled, and 0 in case it is disabled. This variables multiplies the I_syn term in the differential equation for \(V_m\). The new governing equation is then:

\begin{align} \frac{dV_m}{dt} &= -\frac{1}{\tau_m} (V_m - E_L) + \frac{1}{C_m} (\mathtt{enable\_I\_syn} \cdot I_{syn} + I_{dAP}) \end{align}

We can then temporarily disable the synaptic current from contributing to the update of V_m by setting enable_I_syn to zero, for instance:

update:
    if I_syn > I_th:
        # current-threshold, emit a dendritic action potential
        ...
        # temporarily pause synaptic integration
        enable_I_syn = 0.
        ...

In order to ignore presynaptic input that arrives during and before a dendritic action potential, we use the inline aliasing feature of NESTML. Usually, synaptic integration is expressed as a convolution, for example:

equations:
    kernel syn_kernel = exp(-t / tau_syn)

    V_m' = -(V_m - E_L) / tau_m + convolve(syn_kernel, in_spikes) / C_m
    ...

We will define an inline expression that aliases this convolution (see https://nestml.readthedocs.io/en/latest/nestml_language.html#%28Re%29setting-synaptic-integration-state for a more detailed explanation):

equations:
    inline I_syn pA = convolve(syn_kernel, in_spikes)
    ...

Now, we can not only use the variable I_syn in expressions, but we can also assign to it. To reset the state of synaptic integration (thereby “forgetting” any past action potential events):

update:
    ...
    if t_dAP <= 0 ms:
        # end of dendritic action potential
        ...
        I_syn = 0 pA
        I_syn' = 0 pA/ms
        ...

Putting it all together in a new model, we have:

[9]:
nestml_active_dend_reset_model = '''
neuron iaf_psc_exp_active_dendrite_resetting:
    state:
        V_m mV = 0 mV     # membrane potential
        t_dAP ms = 0 ms   # dendritic action potential timer
        I_dAP pA = 0 pA   # dendritic action potential current magnitude
        enable_I_syn real = 1.   # set to 1 to allow synaptic currents to
                                 # contribute to V_m integration, 0 otherwise

    equations:
        # alpha shaped postsynaptic current kernel
        kernel syn_kernel = (e / tau_syn) * t * exp(-t / tau_syn)
        recordable inline I_syn pA = convolve(syn_kernel, spikes_in)
        V_m' = -(V_m - E_L) / tau_m + (enable_I_syn * I_syn + I_dAP + I_e) / C_m

    parameters:
        C_m pF = 250 pF          # capacity of the membrane
        tau_m ms = 20 ms         # membrane time constant
        tau_syn ms = 10 ms       # time constant of synaptic current
        V_th mV = 25 mV          # action potential threshold
        V_reset mV = 0 mV        # reset voltage
        I_e    pA = 0 pA         # external current
        E_L    mV = 0 mV         # resting potential

        # dendritic action potential
        I_th pA = 100 pA         # current-threshold for a dendritic action potential
        I_dAP_peak pA = 150 pA   # current clamp value for I_dAP during a dendritic action potential
        T_dAP ms = 10 ms         # time window over which the dendritic current clamp is active

    input:
        spikes_in pA <- spike

    output:
        spike

    update:
        # solve ODEs
        integrate_odes()

        if t_dAP > 0 ms:
            t_dAP -= resolution()
            if t_dAP <= 0 ms:
                I_dAP = 0 pA
                t_dAP = 0 ms
                # reset and re-enable synaptic integration
                I_syn = 0 pA
                I_syn' = 0 pA/ms
                enable_I_syn = 1.

        if I_syn > I_th:
            # current-threshold, emit a dendritic action potential
            t_dAP = T_dAP
            I_dAP = I_dAP_peak
            # temporarily pause synaptic integration
            enable_I_syn = 0.

        # emit somatic action potential
        if V_m > V_th:
            emit_spike()
            V_m = V_reset
'''

Save to a temporary file and make the model available to instantiate in NEST (see Running NESTML):

[10]:
with open("iaf_psc_exp_active_dendrite.nestml", "w") as nestml_model_file:
    print(nestml_active_dend_reset_model, file=nestml_model_file)

generate_nest_target(input_path="iaf_psc_exp_active_dendrite.nestml",
                     target_path="/tmp/nestml-active-dend-target",
                     module_name="nestml_active_dend_reset_module",
                     suffix="_nestml",
                     logging_level="ERROR",  # try "INFO" for more debug information
                     codegen_opts={"nest_path": NEST_SIMULATOR_INSTALL_LOCATION})
nest.Install("nestml_active_dend_reset_module")

              -- N E S T --
  Copyright (C) 2004 The NEST Initiative

 Version: master@c73351d27
 Built: Feb 22 2023 17:35:39

 This program is provided AS IS and comes with
 NO WARRANTY. See the file LICENSE for details.

 Problems or suggestions?
   Visit https://www.nest-simulator.org

 Type 'nest.help()' to find out more about NEST.

CMake Warning:
  Ignoring empty string ("") provided on the command line.


-- The CXX compiler identification is AppleClang 14.0.0.14000029
-- Detecting CXX compiler ABI info
-- Detecting CXX compiler ABI info - done
-- Check for working CXX compiler: /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/c++ - skipped
-- Detecting CXX compile features
-- Detecting CXX compile features - done

-------------------------------------------------------
nestml_active_dend_reset_module Configuration Summary
-------------------------------------------------------

C++ compiler         : /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/c++
Build static libs    : OFF
C++ compiler flags   :
NEST compiler flags  :  -std=c++11 -Wall -Xclang -fopenmp -O2
NEST include dirs    :  -I/Users/pooja/nest/include/nest -I/usr/local/include -I/Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX13.1.sdk/usr/include -I/usr/local/Cellar/gsl/2.7/include -I/Users/pooja/miniconda3/envs/nestml_3.10/include
NEST libraries flags : -L/Users/pooja/nest/lib/nest -lnestutil -lsli -lnestkernel -Xclang -fopenmp /usr/local/lib/libltdl.dylib /Users/pooja/miniconda3/envs/nestml_3.10/lib/libreadline.dylib /Users/pooja/miniconda3/envs/nestml_3.10/lib/libncurses.dylib /usr/local/Cellar/gsl/2.7/lib/libgsl.dylib /usr/local/Cellar/gsl/2.7/lib/libgslcblas.dylib

-------------------------------------------------------

You can now build and install 'nestml_active_dend_reset_module' using
  make
  make install

The library file libnestml_active_dend_reset_module.so will be installed to
  /Users/pooja/nest/lib/nest
The module can be loaded into NEST using
  (nestml_active_dend_reset_module) Install       (in SLI)
  nest.Install(nestml_active_dend_reset_module)   (in PyNEST)

CMake Warning (dev) in CMakeLists.txt:
  No cmake_minimum_required command is present.  A line of code such as

    cmake_minimum_required(VERSION 3.23)

  should be added at the top of the file.  The version specified may be lower
  if you wish to support older CMake versions for this project.  For more
  information run "cmake --help-policy CMP0000".
This warning is for project developers.  Use -Wno-dev to suppress it.

-- Configuring done
-- Generating done
-- Build files have been written to: /tmp/nestml-active-dend-target
Consolidate compiler generated dependencies of target nestml_active_dend_reset_module_module
[ 66%] Building CXX object CMakeFiles/nestml_active_dend_reset_module_module.dir/iaf_psc_exp_active_dendrite_resetting_nestml.o
[ 66%] Building CXX object CMakeFiles/nestml_active_dend_reset_module_module.dir/nestml_active_dend_reset_module.o
In file included from /tmp/nestml-active-dend-target/iaf_psc_exp_active_dendrite_resetting_nestml.cpp:43:
/tmp/nestml-active-dend-target/iaf_psc_exp_active_dendrite_resetting_nestml.h:232:17: warning: 'iaf_psc_exp_active_dendrite_resetting_nestml::get_C_m' hides overloaded virtual function [-Woverloaded-virtual]
  inline double get_C_m() const
                ^
/Users/pooja/nest/include/nest/node.h:692:18: note: hidden overloaded virtual function 'nest::Node::get_C_m' declared here: different number of parameters (1 vs 0)
  virtual double get_C_m( int comp );
                 ^
In file included from /tmp/nestml-active-dend-target/nestml_active_dend_reset_module.cpp:47:
/tmp/nestml-active-dend-target/iaf_psc_exp_active_dendrite_resetting_nestml.h:232:17: warning: 'iaf_psc_exp_active_dendrite_resetting_nestml::get_C_m' hides overloaded virtual function [-Woverloaded-virtual]
  inline double get_C_m() const
                ^
/Users/pooja/nest/include/nest/node.h:692:18: note: hidden overloaded virtual function 'nest::Node::get_C_m' declared here: different number of parameters (1 vs 0)
  virtual double get_C_m( int comp );
                 ^
/tmp/nestml-active-dend-target/iaf_psc_exp_active_dendrite_resetting_nestml.cpp:110:16: warning: unused variable '__resolution' [-Wunused-variable]
  const double __resolution = nest::Time::get_resolution().get_ms();  // do not remove, this is necessary for the resolution() function
               ^
1 warning generated.
2 warnings generated.
[100%] Linking CXX shared module nestml_active_dend_reset_module.so
[100%] Built target nestml_active_dend_reset_module_module
Consolidate compiler generated dependencies of target nestml_active_dend_reset_module_module
[100%] Built target nestml_active_dend_reset_module_module
Install the project...
-- Install configuration: ""
-- Installing: /Users/pooja/nest/lib/nest/nestml_active_dend_reset_module.so

Mar 07 18:24:01 Install [Info]:
    loaded module nestml_active_dend_reset_module

If we run the simulation with the same parameters as last time, we now observe only one instead of two action potentials, because the synaptic current (shown as I_syn in the top subplot below) does not contribute to V_m during the dendritic action potential interval.

[11]:
n_post_sp = evaluate_neuron("iaf_psc_exp_active_dendrite_resetting_nestml",
                            neuron_parms={"I_th": 100., "I_dAP_peak": 400.})
assert n_post_sp == 1   # check for correctness of the result

Mar 07 18:24:04 NodeManager::prepare_nodes [Info]:
    Preparing 5 nodes for simulation.

Mar 07 18:24:04 SimulationManager::start_updating_ [Info]:
    Number of local nodes: 5
    Simulation time (ms): 100
    Number of OpenMP threads: 1
    Not using MPI

Mar 07 18:24:04 SimulationManager::run [Info]:
    Simulation finished.
../../_images/tutorials_active_dendrite_nestml_active_dendrite_tutorial_16_1.png

Acknowledgements

We extend our gratitude to Younes Bouhadjar and Tom Tetzlaff for their contributions.

This software was developed in part or in whole in the Human Brain Project, funded from the European Union’s Horizon 2020 Framework Programme for Research and Innovation under Specific Grant Agreements No. 720270 and No. 785907 (Human Brain Project SGA1 and SGA2).

References

Jahnke, S., Timme, M. & Memmesheimer, R. M. (2012). Guiding synchrony through random networks. Physical Review X, 2(4), 041016. https://doi.org/10.1103/PhysRevX.2.041016

Memmesheimer, R. M. & Timme, M. (2012). Non-additive coupling enables propagation of synchronous spiking activity in purely random networks. PLoS Comput Biol, 8(4), e1002384. https://doi.org/10.1371/journal.pcbi.1002384

Antic, S.D. Zhou, W.-L., Moore, A.R., Short, S.M., & Ikonomu, K.D. (2010). The Decade of the Dendritic NMDA Spike. J Neurosci Res. Nov 1, 88(14). https://doi.org/10.1002/jnr.22444

Bouhadjar, Y., Wouters, D. J., Diesmann, M., & Tetzlaff, T. (2022). Sequence learning, prediction, and replay in networks of spiking neurons. PLoS Computational Biology, 18(6), e1010233.