Skip to content
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 definition of the SE Score (previously the SE density) for SR1 WIMP #1430

Merged
merged 16 commits into from
Sep 25, 2024
Merged
Show file tree
Hide file tree
Changes from 8 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
4 changes: 2 additions & 2 deletions straxen/plugins/events/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -73,5 +73,5 @@
from . import event_nearest_triggering
from .event_nearest_triggering import *

from . import event_se_sensity
from .event_se_sensity import *
from . import event_se_score
from .event_se_score import *
Original file line number Diff line number Diff line change
Expand Up @@ -2,18 +2,19 @@
import strax


class EventSEDensity(strax.Plugin):
class EventSEScore(strax.Plugin):
"""This plugin is designed to calculate the single electron rate density for main and alt S2 in
events.

References:
* v0.0.0: xenon:xenonnt:analysis:hot_spot_cut_summary
* v0.1.0: xenon:xenonnt:ac:sr1:hotspot_veto_cut:wimp_roi
dachengx marked this conversation as resolved.
Show resolved Hide resolved

"""

__version__ = "0.0.0"
depends_on = ("event_basics", "peak_se_density")
provides = "event_se_density"
__version__ = "0.1.0"
depends_on = ("event_basics", "peak_se_score")
provides = "event_se_score"

def infer_dtype(self):
dtype = []
Expand All @@ -22,8 +23,8 @@ def infer_dtype(self):
dtype += [
(
(
f"Neiboring single-electron rate of {description} S{s_i} [Hz/cm^2]",
f"{main_or_alt}s{s_i}_se_density",
f"Neiboring single-electron score of {description} S{s_i} ",
f"{main_or_alt}s{s_i}_se_score",
),
np.float32,
),
Expand All @@ -40,7 +41,7 @@ def compute(self, events, peaks):
for type_ in ["s1", "alt_s1", "s2", "alt_s2"]:
type_index = event[f"{type_}_index"]
if type_index != -1:
result[f"{type_}_se_density"][event_i] = sp["se_density"][type_index]
result[f"{type_}_se_score"][event_i] = sp["se_score"][type_index]

# 2. Set time and endtime for events
result["time"] = events["time"]
Expand Down
4 changes: 2 additions & 2 deletions straxen/plugins/peaks/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -49,5 +49,5 @@
from . import peak_nearest_triggering
from .peak_nearest_triggering import *

from . import peak_se_sensity
from .peak_se_sensity import *
from . import peak_se_score
from .peak_se_score import *
145 changes: 145 additions & 0 deletions straxen/plugins/peaks/peak_se_score.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,145 @@
import numpy as np
from numba import njit

import strax
import straxen


class PeakSEScore(strax.OverlapWindowPlugin):
"""This plugin is designed to calculate a score based on the position relations to single
electrons.

References:
* v0.2.0: xenon:xenonnt:analysis:hot_spot_cut_summary
* v0.4.0: xenon:xenonnt:ac:sr1:hotspot_veto_cut:wimp_roi
* position resolution: xenon:xenonnt:svetter:data_driven_resolution_sr1a0_vs_sr1a1

"""

__version__ = "0.4.0"
depends_on = ("peak_basics", "peak_positions")
provides = "peak_se_score"
save_when = strax.SaveWhen.EXPLICIT

dtype = strax.time_fields + [
(
("Sum of the PDF of the SE position nearby probability.", "se_score"),
np.float32,
),
]

se_time_search_window_left = straxen.URLConfig(
default=5e9, type=int, help="SEs time window searching window, left side [ns]"
)

se_time_search_window_right = straxen.URLConfig(
default=0,
type=int,
help="Time searching window right side extension, one max drift time [ns]",
)

se_selection_area_roi = straxen.URLConfig(
default=[10, 80],
type=int,
help="Area range for single electron selection.[PE]",
)

se_selection_width_roi = straxen.URLConfig(
default=[80, 700],
type=int,
help="Area range for single electron selection.[PE]",
)

para_a_place_holder = straxen.URLConfig(
dachengx marked this conversation as resolved.
Show resolved Hide resolved
default=1,
help="Place holder for Parameter A in the position resolution function.",
)

para_b_place_holder = straxen.URLConfig(
default=1,
help="Place holder for Parameter B in the position resolution function.",
)

def get_window_size(self):
# This method is required by the OverlapWindowPlugin class
return 2 * (self.se_time_search_window_left + self.se_time_search_window_right)

def setup(self):
self._para_a = self.para_a_place_holder
self._para_b = self.para_b_place_holder

GiovanniVolta marked this conversation as resolved.
Show resolved Hide resolved
def select_se(self, peaks):
"""Function which select single electrons from peaks.

:param peaks: peaks data contains single electrons.
:return: single electron peaks data

"""
mask = peaks["type"] == 2
mask &= (peaks["area"] > self.se_selection_area_roi[0]) & (
peaks["area"] < self.se_selection_area_roi[1]
)
mask &= (peaks["range_50p_area"] > self.se_selection_width_roi[0]) & (
peaks["range_50p_area"] < self.se_selection_width_roi[1]
)
return mask

@staticmethod
@njit
def get_se_count_and_pdf_sum(peaks, se_peaks, se_indices, para_a, para_b, eps):
GiovanniVolta marked this conversation as resolved.
Show resolved Hide resolved
se_nearby_probability = np.zeros(len(peaks))
for index, peak_i in enumerate(peaks):
indices = se_indices[index]
se_in_time = se_peaks[indices[0] : indices[1]]
peak_area_top = peak_i["area"] * (peak_i["area_fraction_top"] + eps)
se_area_top = se_in_time["area"] * (se_in_time["area_fraction_top"] + eps)
dachengx marked this conversation as resolved.
Show resolved Hide resolved
peak_position_resolution = para_a * 1 / np.sqrt(peak_area_top) + para_b
dachengx marked this conversation as resolved.
Show resolved Hide resolved
se_position_resolution = para_a * 1 / np.sqrt(se_area_top) + para_b
combined_position_resolution = np.sqrt(
se_position_resolution**2 + peak_position_resolution**2
)
d_squre = (se_in_time["x"] - peak_i["x"]) ** 2 + (se_in_time["y"] - peak_i["y"]) ** 2
constant = 1 / (2 * np.pi * combined_position_resolution**2)
exponent = np.exp(-1 / 2 * (d_squre / combined_position_resolution**2))
dachengx marked this conversation as resolved.
Show resolved Hide resolved
_se_nearby_prob = constant * exponent
se_nearby_probability[index] = np.sum(_se_nearby_prob)
return se_nearby_probability

def compute_se_score(self, peaks, _peaks):
"""Function to calculate the SE score for each peak."""
# select single electrons
mask = self.select_se(peaks)
se_peaks = peaks[mask]
# get single electron indices in peak vicinity
split_peaks = np.zeros(len(_peaks), dtype=strax.time_fields)
split_peaks["time"] = _peaks["center_time"] - self.se_time_search_window_left
split_peaks["endtime"] = _peaks["center_time"] + self.se_time_search_window_right
split_result = strax.touching_windows(se_peaks, split_peaks)
# get se score
eps = np.finfo(float).eps
_se_nearby_probability = self.get_se_count_and_pdf_sum(
_peaks,
se_peaks,
split_result,
self._para_a[self._sr_phase],
self._para_b[self._sr_phase],
eps,
GiovanniVolta marked this conversation as resolved.
Show resolved Hide resolved
)
return _se_nearby_probability

def compute(self, peaks):
# sort peaks by center_time
argsort = np.argsort(peaks["center_time"], kind="mergesort")
_peaks = np.sort(peaks, order="center_time")
# prepare output
se_nearby_probability = np.zeros(len(peaks))
# calculate SE Score
_se_nearby_probability = self.compute_se_score(peaks, _peaks)
# sort back to original order
se_nearby_probability[argsort] = _se_nearby_probability

return dict(
time=peaks["time"],
endtime=strax.endtime(peaks),
se_score=se_nearby_probability,
)
119 changes: 0 additions & 119 deletions straxen/plugins/peaks/peak_se_sensity.py

This file was deleted.

Loading