THz integrated demultiplexer/filter based on a ring resonator#
Note: the cost of running the entire notebook is larger than 1 FlexCredit.
Wireless communication technology has been experiencing rapid development to satisfy the ever growing need for higher data transmission speed. The current 5G network has been harnessing the power of microwave and mm wave. The future generations of wireless communication clearly points to even higher frequencies, entering the THz territory.
Inspired by the advancement of integrated photonics at telecom wavelength, integrated THz technology is a promising candidate for future mass production of compact THz communication devices. This model aims to demonstrate the modeling of a silicon-based THz demultiplexer/filter, which is a crucial component in a high-speed integrated THz communication system. The device utilizes a ring resonator structure similar to a typical ring resonator used in a telecom integrated circuit. It achieves <1.5 dB transmission loss and 3 GHz free spectral range. The design of the device is adapted from Deng, W. et al. OnβChip Polarizationβ and FrequencyβDivision Demultiplexing for Multidimensional Terahertz Communication. Laser Photon. Rev. 16, 2200136 (2022).

For more integrated photonic examples such as the 8-Channel mode and polarization de-multiplexer, the broadband bi-level taper polarization rotator-splitter, and the broadband directional coupler, please visit our examples page.
If you are new to the finite-difference time-domain (FDTD) method, we highly recommend going through our FDTD101 tutorials. FDTD simulations can diverge due to various reasons. If you run into any simulation divergence issues, please follow the steps outlined in our troubleshooting guide to resolve it.
Simulation Setup#
[1]:
import matplotlib.pyplot as plt
import numpy as np
import tidy3d as td
import tidy3d.web as web
from tidy3d.plugins.mode import ModeSolver
The demultiplexer/filter device consists of a ring resonator, a through port waveguide, and a drop port waveguide. It is fabricated on a silicon wafer with a thickness of 130 \(\mu m\). A ridge waveguide with 110 \(\mu m\) height is used. The radius of the ring resonator is designed to ensure low loss for the TE0 mode.
[2]:
t_si = 130  # thickness of the si wafer
t_wg = 110  # height of the ridge waveguide
W0 = 200  # width of the waveguide
R1 = 3500  # inner radius of the ring resonator
R2 = 2000  # inner radius of the waveguide bend
Wg = 50  # width of the gap
s = 3000  # horizontal shift of the waveguide bend
inf_eff = 1e5  # effective infinity. This parameter is used to ensure the ports extend into the pml.
freq0 = 380e9  # central frequency
lda0 = td.C_0 / freq0  # central wavelength
freqs = np.linspace(375e9, 385e9, 301)  # wavelength range.
# To ensure we resolve the spectral features, 301 frequency points are used.
Since the whole structure is made of silicon, only two materials need to be defined β silicon and air. At the simulation frequency, silicon has a small loss of \(\alpha\)=0.025 \(cm^{-1}\). Therefore, the imaginary part of the refractive index can be calculated as \(k = \frac{\alpha \lambda}{4\pi}\). Since the frequency dispersion is very small, we will model silicon as dispersionless material.
[3]:
alpha = 0.025  # loss
k_si = alpha * lda0 * 1e-4 / (4 * np.pi)  # imaginary part of the Si refractive index
n_si = 3.405  # real part of the Si refractive index
si = td.Medium.from_nk(n=n_si, k=k_si, freq=freq0)
air = td.Medium(permittivity=1)
To build the device, we need to keep in mind that when two structures overlap, the one added later will override the one added earlier. This gives us great flexibility when making more complex geometries.
To make the ring resonator, we first create a Cylinder made of silicon with the radius set to the outer radius of the ring. Then, another Cylinder made of air with the radius set to the inner radius of the ring is added. This effectively results in a silicon ring. The waveguide bend structure is built using the same principle.
[4]:
# through port waveguide
wg1 = td.Structure(
    geometry=td.Box.from_bounds(rmin=(-inf_eff, 0, 0), rmax=(inf_eff, W0, t_si)),
    medium=si,
)
# ring resonator
ring_out = td.Structure(
    geometry=td.Cylinder(
        center=(0, 2 * W0 + Wg + R1, t_si / 2), radius=R1 + W0, length=t_si, axis=2
    ),
    medium=si,
)
ring_in = td.Structure(
    geometry=td.Cylinder(center=(0, 2 * W0 + Wg + R1, t_si / 2), radius=R1, length=t_si, axis=2),
    medium=air,
)
# waveguide bend
wg_bend_out = td.Structure(
    geometry=td.Cylinder(
        center=(-s, 4 * W0 + 2 * Wg + 2 * R1 + R2, t_si / 2),
        radius=R2 + W0,
        length=t_si,
        axis=2,
    ),
    medium=si,
)
wg_bend_in = td.Structure(
    geometry=td.Cylinder(
        center=(-s, 4 * W0 + 2 * Wg + 2 * R1 + R2, t_si / 2),
        radius=R2,
        length=t_si,
        axis=2,
    ),
    medium=air,
)
wg_bend_left = td.Structure(
    geometry=td.Box.from_bounds(
        rmin=(-s, 3 * W0 + 2 * Wg + 2 * R1, 0),
        rmax=(-s + R2 + W0, 5 * W0 + 2 * Wg + 2 * R1 * 2 * R2, t_si),
    ),
    medium=air,
)
# drop port waveguide
wg2 = td.Structure(
    geometry=td.Box.from_bounds(
        rmin=(-s, 3 * W0 + 2 * Wg + 2 * R1, 0), rmax=(s, 4 * W0 + 2 * Wg + 2 * R1, t_si)
    ),
    medium=si,
)
wg3 = td.Structure(
    geometry=td.Box.from_bounds(
        rmin=(-s, 4 * W0 + 2 * Wg + 2 * R1 + 2 * R2, 0),
        rmax=(inf_eff, 5 * W0 + 2 * Wg + 2 * R1 + 2 * R2, t_si),
    ),
    medium=si,
)
# si wafer
si_substrate = td.Structure(
    geometry=td.Box.from_bounds(rmin=(-inf_eff, -inf_eff, 0), rmax=(inf_eff, inf_eff, t_si - t_wg)),
    medium=si,
)
Define source and monitors. Here we will define a ModeSource that launches the TE0 mode into the input waveguide. Two FluxMonitors are added to the through port and the drop port to monitor the transmission. A FieldMonitor is added in the xy plane to visualize the field distribution.
[5]:
mode_spec = td.ModeSpec(
    num_modes=1, target_neff=3
)  # we are only interested in the TE0 mode so num_modes is set to 1
# add a mode source at the input of the waveguide
mode_source = td.ModeSource(
    center=(-1.5 * R1, W0 / 2, t_si / 2),
    size=(0, 4 * W0, 4 * t_si),
    source_time=td.GaussianPulse(freq0=freq0, fwidth=freq0 / 10),
    direction="+",
    mode_spec=mode_spec,
    mode_index=0,
)
# add two flux monitors at the through port and the drop port
flux_monitor1 = td.FluxMonitor(
    center=(1.5 * R1, W0 / 2, t_si / 2),
    size=(0, 4 * W0, 4 * t_si),
    freqs=freqs,
    name="flux1",
)
flux_monitor2 = td.FluxMonitor(
    center=(1.5 * R1, 4.5 * W0 + 2 * Wg + 2 * R1 + 2 * R2, t_si / 2),
    size=(0, 4 * W0, 4 * t_si),
    freqs=freqs,
    name="flux2",
)
freq1 = 378.8e9  # frequency at which the power is transmitted to the through port
freq2 = 380.2e9  # frequency at which the power is transmitted to the drop port
# define a field monitor in the z=0 plane to visualize the field flow
field_monitor = td.FieldMonitor(
    center=(0, 0, t_si / 2),
    size=(td.inf, td.inf, 0),
    freqs=[freq1, freq2],
    name="field",
)
Define the simulation using the above structures, source, and monitors. Due to the high-Q resonance of the ring resonator, we need to ensure that the simulation run time is sufficiently long.
[6]:
buffer_y = lda0  # buffer spacing in the y direction
# simulation domain size
Lx = 3.5 * R1
Ly = 2 * R1 + 2 * R2 + 5 * W0 + 2 * Wg + 2 * buffer_y
Lz = 1.5 * lda0
sim_size = (Lx, Ly, Lz)
run_time = 12e-9  # simulation run time
# initialize the Simulation object
sim = td.Simulation(
    center=(0, Ly / 2 - buffer_y, t_si),
    size=sim_size,
    grid_spec=td.GridSpec.auto(min_steps_per_wvl=15, wavelength=lda0),
    structures=[
        wg1,
        ring_out,
        ring_in,
        wg_bend_out,
        wg_bend_in,
        wg_bend_left,
        wg2,
        wg3,
        si_substrate,
    ],
    sources=[mode_source],
    monitors=[field_monitor, flux_monitor1, flux_monitor2],
    run_time=run_time,
    boundary_spec=td.BoundarySpec.all_sides(boundary=td.PML()),
)
# visualize the structure to make sure it is set up correctly
sim.plot(z=t_si)
plt.show()
13:26:52 CEST WARNING: βΉοΈ β οΈ RF simulations are subject to new license requirements in the future. You are using RF-specific components in this simulation. - Contains sources defined for RF wavelengths.
 
Visualize the mode field to ensure we are launching the TE0 mode at the mode source.
[7]:
mode_solver = ModeSolver(
    simulation=sim,
    plane=td.Box(center=(-R1, W0 / 2, t_si / 2), size=(0, 4 * W0, 4 * t_si)),
    mode_spec=mode_spec,
    freqs=[freq0],
)
mode_data = mode_solver.solve()
f, (ax1, ax2, ax3) = plt.subplots(1, 3, tight_layout=True, figsize=(10, 3))
abs(mode_data.Ex.isel(mode_index=0)).plot(x="y", y="z", ax=ax1, cmap="magma")
abs(mode_data.Ey.isel(mode_index=0)).plot(x="y", y="z", ax=ax2, cmap="magma")
abs(mode_data.Ez.isel(mode_index=0)).plot(x="y", y="z", ax=ax3, cmap="magma")
ax1.set_title("|Ex(x, y)|")
ax2.set_title("|Ey(x, y)|")
ax3.set_title("|Ez(x, y)|")
plt.show()
13:26:53 CEST WARNING: Use the remote mode solver with subpixel averaging for better accuracy through 'tidy3d.web.run(...)' or the deprecated 'tidy3d.plugins.mode.web.run(...)'.
 
Submit the simulation job to the server.
[8]:
job = web.Job(simulation=sim, task_name="thz_demultiplexer", verbose=True)
sim_data = job.run(path="data/simulation_data.hdf5")
13:26:57 CEST Created task 'thz_demultiplexer' with task_id 'fdve-78353e75-c2ae-4b99-b6f3-830eee2f3c6a' and task_type 'FDTD'.
View task using web UI at 'https://tidy3d.simulation.cloud/workbench?taskId=fdve-78353e75-c2 ae-4b99-b6f3-830eee2f3c6a'.
Task folder: 'default'.
13:27:01 CEST Maximum FlexCredit cost: 6.759. Minimum cost depends on task execution details. Use 'web.real_cost(task_id)' to get the billed FlexCredit cost after a simulation run.
13:27:02 CEST status = success
13:27:15 CEST loading simulation from data/simulation_data.hdf5
WARNING: Warning messages were found in the solver log. For more information, check 'SimulationData.log' or use 'web.download_log(task_id)'.
Result Visualization#
At 378.8 GHz, the power is transmitted to the through port.
[9]:
fig = plt.figure()
ax = fig.add_subplot(111)
sim_data.plot_field(
    field_monitor_name="field",
    field_name="E",
    val="abs^2",
    ax=ax,
    f=freq1,
    vmin=0,
    vmax=0.01,
)
plt.show()
 
At 380.2 GHz, the power is transmitted to the drop port.
[10]:
fig = plt.figure()
ax = fig.add_subplot(111)
sim_data.plot_field(
    field_monitor_name="field",
    field_name="E",
    val="abs^2",
    ax=ax,
    f=freq2,
    vmin=0,
    vmax=0.01,
)
plt.show()
 
Plot the transmission spectra at the through port and the drop port. A sub 1.5 dB transmission loss as well as a ~3 GHz free spectral range is observed.
[11]:
T1 = sim_data["flux1"].flux
T2 = sim_data["flux2"].flux
plt.plot(freqs / 1e9, 10 * np.log10(T1), freqs / 1e9, 10 * np.log10(T2))
plt.xlabel("Frequency (GHz)")
plt.ylabel("Transmission (dB)")
plt.legend(("Through port", "Drop port"))
plt.show()
 
[ ]: