-
Notifications
You must be signed in to change notification settings - Fork 35
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Update phased trigger and digitizer #799
Open
ryankrebs016
wants to merge
8
commits into
simulate_trigger_channels_rnog_simplified
Choose a base branch
from
update_phased_trigger_and_digitizer
base: simulate_trigger_channels_rnog_simplified
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from 6 commits
Commits
Show all changes
8 commits
Select commit
Hold shift + click to select a range
697c0af
update phased trigger and digitizer bug fixes
ryankrebs016 a7dcc79
track gain to help efficiency sims and fix formatting
ryankrebs016 52c786f
refactor phased array, add things for eff sims, add upsampling to tra…
ryankrebs016 b0f77ce
small things
ryankrebs016 bda57df
add sim script to compare trigger performances
ryankrebs016 46979b9
Merge branch 'simulate_trigger_channels_rnog_simplified' into update_…
fschlueter bf059d4
Minor clean up
fschlueter 1b147c9
fix module naming
ryankrebs016 File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
349 changes: 349 additions & 0 deletions
349
NuRadioMC/examples/08_RNO_G_trigger_simulation/generate_data_set.py
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,349 @@ | ||
#!/bin/env python3 | ||
|
||
import argparse | ||
import copy | ||
import logging | ||
import numpy as np | ||
import os | ||
import secrets | ||
import datetime as dt | ||
from scipy import constants | ||
|
||
from NuRadioMC.utilities import runner | ||
|
||
from NuRadioMC.EvtGen import generator | ||
from NuRadioMC.simulation import simulation | ||
from NuRadioReco.utilities import units | ||
|
||
from NuRadioReco.detector.RNO_G import rnog_detector | ||
|
||
from NuRadioReco.modules.RNO_G import hardwareResponseIncorporator, triggerBoardResponse | ||
from NuRadioReco.modules.trigger import highLowThreshold | ||
from NuRadioReco.modules.trigger import digital_beamformed_envelope_trigger | ||
from NuRadioReco.modules.trigger import beamformed_power_integration | ||
|
||
import NuRadioReco.modules.channelGenericNoiseAdder | ||
|
||
import matplotlib.pyplot as plt | ||
|
||
root_seed = secrets.randbits(128) | ||
deep_trigger_channels = np.array([0, 1, 2, 3]) | ||
|
||
main_low_angle = np.deg2rad(-60) | ||
main_high_angle = np.deg2rad(60) | ||
pa_channels = [0, 1, 2, 3] | ||
|
||
phasing_angles = np.arcsin(np.linspace(np.sin(main_low_angle), np.sin(main_high_angle), 12)) | ||
|
||
upsampling_factor = 4 | ||
window = 24 #int(16 * units.ns * new_sampling_rate * upsampling_factor) | ||
step = 8 #int(8 * units.ns * new_sampling_rate * upsampling_factor) | ||
|
||
|
||
|
||
def get_vrms_from_temperature_for_trigger_channels(det, station_id, trigger_channels, temperature): | ||
|
||
vrms_per_channel = [] | ||
for channel_id in trigger_channels: | ||
resp = det.get_signal_chain_response(station_id, channel_id, trigger=True) | ||
|
||
freqs = np.linspace(10, 1200, 1000) * units.MHz | ||
filt = resp(freqs) | ||
|
||
# Calculation of Vrms. For details see from elog:1566 and https://en.wikipedia.org/wiki/Johnson%E2%80%93Nyquist_noise | ||
# (last two Eqs. in "noise voltage and power" section) or our wiki https://nu-radio.github.io/NuRadioMC/NuRadioMC/pages/HDF5_structure.html | ||
|
||
# Bandwidth, i.e., \Delta f in equation | ||
integrated_channel_response = np.trapz(np.abs(filt) ** 2, freqs) | ||
|
||
vrms_per_channel.append( | ||
(temperature * 50 * constants.k * integrated_channel_response / units.Hz) ** 0.5 | ||
) | ||
|
||
return vrms_per_channel | ||
|
||
|
||
def get_fiducial_volume(energy): | ||
# Fiducial volume for a Greenland station. From Martin: https://radio.uchicago.edu/wiki/images/2/26/TriggerSimulation_May2023.pdf | ||
|
||
# key: log10(E), value: radius in km | ||
max_radius_shallow = { | ||
16.25: 1.5, 16.5: 2.1, 16.75: 2.7, 17.0: 3.1, 17.25: 3.7, 17.5: 3.9, 17.75: 4.4, | ||
18.00: 4.8, 18.25: 5.1, 18.50: 5.25, 18.75: 5.3, 19.0: 5.6, 100: 6.1, | ||
} | ||
|
||
# key: log10(E), value: depth in km | ||
min_z_shallow = { | ||
16.25: -0.65, 16.50: -0.8, 16.75: -1.2, 17.00: -1.5, 17.25: -1.7, 17.50: -2.0, | ||
17.75: -2.1, 18.00: -2.3, 18.25: -2.4, 18.50: -2.55, 100: -2.7, | ||
} | ||
|
||
|
||
def get_limits(dic, E): | ||
# find all energy bins which are higher than E | ||
idx = np.arange(len(dic))[E - 10 ** np.array(list(dic.keys())) * units.eV <= 0] | ||
assert len(idx), f"Energy {E} is too high. Max energy is {10 ** np.amax(dic.keys()):.1e}." | ||
|
||
# take the lowest energy bin which is higher than E | ||
return np.array(list(dic.values()))[np.amin(idx)] * units.km | ||
|
||
r_max = get_limits(max_radius_shallow, energy) | ||
print(f"Maximum radius {r_max}") | ||
z_min = get_limits(min_z_shallow, energy) | ||
print(f"Depth {z_min}") | ||
|
||
volume = { | ||
"fiducial_rmax": r_max, | ||
"fiducial_rmin": 0 * units.km, | ||
"fiducial_zmin": z_min, | ||
"fiducial_zmax": 0 | ||
} | ||
|
||
return volume | ||
|
||
|
||
def RNO_G_HighLow_Thresh(lgRate_per_hz): | ||
# Thresholds calculated using the RNO-G hardware (iglu + flower_lp) | ||
# This applies for the VPol antennas | ||
# parameterization comes from Alan: https://radio.uchicago.edu/wiki/images/e/e6/2023.10.11_Simulating_RNO-G_Trigger.pdf | ||
return (-859 + np.sqrt(39392706 - 3602500 * lgRate_per_hz)) / 1441.0 | ||
|
||
|
||
class mySimulation(simulation.simulation): | ||
|
||
def __init__(self, *args, **kwargs): | ||
# this module is needed in super().__init__ to calculate the vrms | ||
self.rnogHarwareResponse = hardwareResponseIncorporator.hardwareResponseIncorporator() | ||
self.rnogHarwareResponse.begin(trigger_channels=deep_trigger_channels) | ||
|
||
super().__init__(*args, **kwargs) | ||
self.logger = logging.getLogger("NuRadioMC.RNOG_trigger_simulation") | ||
self.deep_trigger_channels = deep_trigger_channels | ||
|
||
|
||
self.highLowThreshold = highLowThreshold.triggerSimulator() | ||
self.rnogADCResponse = triggerBoardResponse.triggerBoardResponse() | ||
self.rnogADCResponse.begin(adc_input_range=2 * units.volt, clock_offset=0.0, adc_output="counts") | ||
|
||
# future TODO: Add noise | ||
self.channel_generic_noise_adder = NuRadioReco.modules.channelGenericNoiseAdder.channelGenericNoiseAdder() | ||
self.channel_generic_noise_adder.begin(seed=root_seed) | ||
self.powerTrigger = beamformed_power_integration.triggerSimulator(log_level=logging.WARNING) | ||
self.envelopeTrigger = digital_beamformed_envelope_trigger.triggerSimulator(log_level=logging.WARNING) | ||
|
||
self.output_mode = {'Channels': self._config['output']['channel_traces'], | ||
'ElectricFields': self._config['output']['electric_field_traces'], | ||
'SimChannels': self._config['output']['sim_channel_traces'], | ||
'SimElectricFields': self._config['output']['sim_electric_field_traces']} | ||
|
||
self.high_low_trigger_thresholds = { | ||
"1Hz": RNO_G_HighLow_Thresh(0) | ||
} | ||
|
||
|
||
def _detector_simulation_filter_amp(self, evt, station, det): | ||
# apply the amplifiers and filters to get to RADIANT-level | ||
self.rnogHarwareResponse.run(evt, station, det, sim_to_data=True) | ||
|
||
def _detector_simulation_trigger(self, evt, station, det): | ||
|
||
vrms_input_to_adc = get_vrms_from_temperature_for_trigger_channels( | ||
det, station.get_id(), self.deep_trigger_channels, 300) | ||
|
||
sampling_rate = det.get_sampling_frequency(station.get_id()) | ||
self.logger.info(f'Radiant sampling rate is {sampling_rate / units.MHz:.1f} MHz') | ||
|
||
# Runs the FLOWER board response | ||
vrms_after_gain, gains = self.rnogADCResponse.run( | ||
evt, station, det, trigger_channels=self.deep_trigger_channels, | ||
vrms=None, digitize_trace=True, apply_adc_gain=True | ||
) | ||
|
||
# this is only returning the correct value if digitize_trace=True for self.rnogADCResponse.run(..) | ||
flower_sampling_rate = station.get_trigger_channel(self.deep_trigger_channels[0]).get_sampling_rate() | ||
self.logger.info(f'Flower sampling rate is {flower_sampling_rate / units.MHz:.1f} MHz') | ||
|
||
for thresh_key, threshold in self.high_low_trigger_thresholds.items(): | ||
|
||
threshold_high = {channel_id: threshold * vrms for channel_id, vrms in zip(self.deep_trigger_channels, vrms_after_gain)} | ||
threshold_low = {channel_id: -1 * threshold * vrms for channel_id, vrms in zip(self.deep_trigger_channels, vrms_after_gain)} | ||
|
||
self.highLowThreshold.run( | ||
evt, | ||
station, | ||
det, | ||
threshold_high=threshold_high, | ||
threshold_low=threshold_low, | ||
use_digitization=False, #the trace has already been digitized with the rnogADCResponse | ||
high_low_window=6 / flower_sampling_rate, | ||
coinc_window=20 / flower_sampling_rate, | ||
number_concidences=2, | ||
triggered_channels=self.deep_trigger_channels, | ||
trigger_name=f"deep_high_low_{thresh_key}", | ||
) | ||
|
||
lvrms=0 | ||
for i in pa_channels: | ||
lvrms += vrms_after_gain[i]**2 #coherently summed rms^2 | ||
|
||
self.powerTrigger.run( | ||
evt, | ||
station, | ||
det, | ||
Vrms=None, | ||
threshold=11.84*lvrms, | ||
trigger_channels=pa_channels, | ||
phasing_angles=phasing_angles, | ||
ref_index=1.75, | ||
trigger_name=f"PA_power", | ||
trigger_adc=False, | ||
adc_output=f"counts", | ||
trigger_filter=None, | ||
upsampling_factor=4, | ||
window=window, | ||
step=step, | ||
apply_digitization=False, | ||
upsampling_method='fir', | ||
coeff_gain=256, | ||
rnog_like=True | ||
) | ||
|
||
lvrms=np.sqrt(lvrms) | ||
|
||
self.envelopeTrigger.run( | ||
evt, | ||
station, | ||
det, | ||
Vrms=None, | ||
threshold=6.61*lvrms, | ||
trigger_channels=pa_channels, | ||
phasing_angles=phasing_angles, | ||
ref_index=1.75, | ||
trigger_name=f"PA_envelope", | ||
trigger_adc=False, | ||
adc_output=f"counts", | ||
trigger_filter=None, | ||
upsampling_factor=1, | ||
apply_digitization=False, | ||
upsampling_method='fir', | ||
coeff_gain=128, | ||
rnog_like=True | ||
) | ||
|
||
|
||
def task(q, iSim, output_filename, **kwargs): | ||
|
||
defaults = { | ||
"trigger_adc_sampling_frequency": 0.472, | ||
"trigger_adc_nbits": 8, | ||
"trigger_adc_noise_nbits": 2.585, | ||
} | ||
|
||
det = rnog_detector.Detector( | ||
detector_file=args.detectordescription, log_level=logging.INFO, | ||
always_query_entire_description=False, select_stations=args.station_id, | ||
over_write_handset_values=defaults) | ||
|
||
det.update(dt.datetime(2023, 8, 3)) | ||
|
||
volume = get_fiducial_volume(args.energy) | ||
# Simulate fiducial volume around station | ||
pos = det.get_absolute_position(args.station_id) | ||
print(f"Simulating around center x0={pos[0]:.2f}m, y0={pos[1]:.2f}m") | ||
volume.update({"x0": pos[0], "y0": pos[1]}) | ||
|
||
flavor_ids = {"e": [12, -12], "mu": [14, -14], "tau": [16, -16], "all": [12, 14, 16, -12, -14, -16]} | ||
run_proposal = args.proposal and ("cc" in args.interaction_type) and (args.flavor in ["mu", "tau", "all"]) | ||
if run_proposal: | ||
print(f"Using PROPOSAL for simulation of {args.flavor} {args.interaction_type}") | ||
|
||
input_data = generator.generate_eventlist_cylinder( | ||
"on-the-fly", | ||
kwargs["n_events_per_file"], | ||
args.energy, args.energy, | ||
volume, | ||
start_event_id=args.index * args.n_events_per_file + 1, | ||
flavor=flavor_ids[args.flavor], | ||
n_events_per_file=None, | ||
deposited=False, | ||
proposal=run_proposal, | ||
proposal_config="Greenland", | ||
start_file_id=0, | ||
log_level=None, | ||
proposal_kwargs={}, | ||
max_n_events_batch=args.n_events_per_file, | ||
write_events=False, | ||
seed=root_seed + args.index, | ||
interaction_type=args.interaction_type, | ||
) | ||
|
||
if args.nur_output: | ||
nur_output_filename = output_filename.replace(".hdf5", ".nur") | ||
else: | ||
nur_output_filename = None | ||
|
||
sim = mySimulation( | ||
inputfilename=input_data, | ||
outputfilename=output_filename, | ||
det=det, | ||
evt_time=dt.datetime(2023, 8, 3), | ||
outputfilenameNuRadioReco=None, #nur_output_filename, | ||
config_file=args.config, | ||
trigger_channels=deep_trigger_channels, | ||
# log_level=logging.INFO, | ||
) | ||
|
||
n_trig=sim.run() | ||
print(f"simulation pass {iSim} with {n_trig} events", flush=True) | ||
q.put(n_trig) | ||
|
||
if __name__ == "__main__": | ||
|
||
ABS_PATH_HERE = str(os.path.dirname(os.path.realpath(__file__))) | ||
def_data_dir = os.path.join(ABS_PATH_HERE, "data") | ||
default_config_path = os.path.join(ABS_PATH_HERE, "../07_RNO_G_simulation/RNO_config.yaml") | ||
|
||
parser = argparse.ArgumentParser(description="Run NuRadioMC simulation") | ||
# Sim steering arguments | ||
parser.add_argument("--config", type=str, default="config.yaml", help="NuRadioMC yaml config file") | ||
parser.add_argument("--detectordescription", '--det', type=str, default=None, help="Path to RNO-G detector description file. If None, query from DB") | ||
parser.add_argument("--station_id", type=int, default=11, help="Set station to be used for simulation") | ||
|
||
# Neutrino arguments | ||
parser.add_argument("--energy", '-e', default=1e18, type=float, help="Neutrino energy [eV]") | ||
parser.add_argument("--flavor", '-f', default="all", type=str, help="the flavor") | ||
parser.add_argument("--interaction_type", '-it', default="ccnc", type=str, help="interaction type cc, nc or ccnc") | ||
|
||
# File meta-variables | ||
parser.add_argument("--index", '-i', default=1, type=int, help="counter to create a unique data-set identifier") | ||
parser.add_argument("--n_events_per_file", '-n', type=int, default=1e4, help="Number of nu-interactions per file") | ||
parser.add_argument("--data_dir", type=str, default=def_data_dir, help="directory name where the library will be created") | ||
parser.add_argument("--proposal", action="store_true", help="Use PROPOSAL for simulation") | ||
parser.add_argument("--nur_output", action="store_true", help="Write nur files.") | ||
parser.add_argument("--n_cpus", type=int, default=1, help="Number of cores for parallel running") | ||
parser.add_argument("--n_triggers", type=int, default=1e2, help="Number of total events to generate") | ||
# Defaults for the trigger simulation which are not yet in the hardware DB | ||
|
||
args = parser.parse_args() | ||
kwargs = args.__dict__ | ||
assert args.station_id is not None, "Please specify a station id with `--station_id`" | ||
|
||
|
||
|
||
output_path = f"{args.data_dir}/station_{args.station_id}/nu_{args.flavor}_{args.interaction_type}" | ||
|
||
if not os.path.exists(output_path): | ||
print("Making dirs", output_path) | ||
os.makedirs(output_path, exist_ok=True) | ||
|
||
output_filename = f"{output_path}/{args.flavor}_{args.interaction_type}_1e{np.log10(args.energy):.2f}eV_{args.index:08d}.hdf5" | ||
|
||
class myrunner(runner.NuRadioMCRunner): | ||
def get_outputfilename(self): | ||
return os.path.join( | ||
self.output_path, f"{np.log10(args.energy):.2f}_{self.kwargs['index']:06d}_{self.i_task:06d}.hdf5" | ||
) | ||
|
||
# start simulating a library across the chosen number of cpus. Each CPU will only run for 1 day | ||
r = myrunner(args.n_cpus, task, output_path, max_runtime=3600 * 24, n_triggers_max=args.n_triggers, kwargs=kwargs) | ||
r.run() |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -276,7 +276,10 @@ def get_Veff_Aeff_single( | |
else: | ||
raise AttributeError(f"attributes do neither contain volume nor area") | ||
|
||
Vrms = fin.attrs['Vrms'] | ||
try: | ||
Vrms = fin.attrs['Vrms'] | ||
except: | ||
Vrms = 1 | ||
Comment on lines
-279
to
+282
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. hm, why is |
||
|
||
# Solid angle needed for the effective volume calculations | ||
out['domega'] = np.abs(phimax - phimin) * np.abs(np.cos(thetamin) - np.cos(thetamax)) | ||
|
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
what is the purpose of this script? Compared to
simulate.py
does it only add the two triggers and allows to use the NuRadioMCRunner? Can we not merge the two scripts into one (maybe we can have an second script which takes the simulation as defined in the first script but uses the runners?)