input_pipeline/light_sensor/
light_sensor_handler.rs

1// Copyright 2022 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5use crate::input_device::{Handled, InputDeviceDescriptor, InputDeviceEvent, InputEvent};
6use crate::input_handler::{InputHandler, InputHandlerStatus};
7use crate::inspect_handler::{BufferNode, CircularBuffer};
8use crate::light_sensor::calibrator::{Calibrate, Calibrator};
9use crate::light_sensor::led_watcher::{CancelableTask, LedWatcher, LedWatcherHandle};
10use crate::light_sensor::types::{AdjustmentSetting, Calibration, Rgbc, SensorConfiguration};
11use anyhow::{format_err, Context, Error};
12use async_trait::async_trait;
13use async_utils::hanging_get::server::HangingGet;
14use fidl_fuchsia_input_report::{FeatureReport, InputDeviceProxy, SensorFeatureReport};
15use fidl_fuchsia_lightsensor::{
16    LightSensorData as FidlLightSensorData, Rgbc as FidlRgbc, SensorRequest, SensorRequestStream,
17    SensorWatchResponder,
18};
19use fidl_fuchsia_settings::LightProxy;
20use fidl_fuchsia_ui_brightness::ControlProxy as BrightnessControlProxy;
21use fuchsia_inspect::health::Reporter;
22use fuchsia_inspect::NumericProperty;
23
24use futures::channel::oneshot;
25use futures::lock::Mutex;
26use futures::{Future, FutureExt, TryStreamExt};
27use std::cell::RefCell;
28use std::rc::Rc;
29use std::sync::Arc;
30
31type NotifyFn = Box<dyn Fn(&LightSensorData, SensorWatchResponder) -> bool>;
32type SensorHangingGet = HangingGet<LightSensorData, SensorWatchResponder, NotifyFn>;
33
34// Precise value is 2.78125ms, but data sheet lists 2.78ms.
35/// Number of us for each cycle of the sensor.
36const MIN_TIME_STEP_US: u32 = 2780;
37/// Maximum multiplier.
38const MAX_GAIN: u32 = 64;
39/// Maximum sensor reading per cycle for any 1 color channel.
40const MAX_COUNT_PER_CYCLE: u32 = 1024;
41/// Absolute maximum reading the sensor can return for any 1 color channel.
42const MAX_SATURATION: u32 = u16::MAX as u32;
43const MAX_ATIME: u32 = 256;
44/// Driver scales the values by max gain & atime in ms.
45const ADC_SCALING_FACTOR: f32 = 64.0 * 256.0;
46/// The gain up margin should be 10% of the saturation point.
47const GAIN_UP_MARGIN_DIVISOR: u32 = 10;
48/// The divisor for scaling uncalibrated values to transition old clients to auto gain.
49const TRANSITION_SCALING_FACTOR: f32 = 4.0;
50
51#[derive(Copy, Clone, Debug)]
52struct LightReading {
53    rgbc: Rgbc<f32>,
54    si_rgbc: Rgbc<f32>,
55    is_calibrated: bool,
56    lux: f32,
57    cct: Option<f32>,
58}
59
60fn num_cycles(atime: u32) -> u32 {
61    MAX_ATIME - atime
62}
63
64#[cfg_attr(test, derive(Debug))]
65struct ActiveSetting {
66    settings: Vec<AdjustmentSetting>,
67    idx: usize,
68}
69
70impl ActiveSetting {
71    fn new(settings: Vec<AdjustmentSetting>, idx: usize) -> Self {
72        Self { settings, idx }
73    }
74
75    /// Update sensor if it's near or past a saturation point. Returns a saturation error if the
76    /// sensor is saturated, `true` if the sensor is not saturated but still pulled up, and `false`
77    /// otherwise.
78    async fn adjust<Fut>(
79        &mut self,
80        reading: Rgbc<u16>,
81        device_proxy: &InputDeviceProxy,
82        track_feature_update: impl Fn(FeatureEvent) -> Fut,
83    ) -> Result<bool, SaturatedError>
84    where
85        Fut: Future<Output = ()>,
86    {
87        let saturation_point =
88            (num_cycles(self.active_setting().atime) * MAX_COUNT_PER_CYCLE).min(MAX_SATURATION);
89        let gain_up_margin = saturation_point / GAIN_UP_MARGIN_DIVISOR;
90
91        let step_change = self.step_change();
92        let mut pull_up = true;
93
94        if saturated(reading) {
95            if self.adjust_down() {
96                log::info!("adjusting down due to saturation sentinel");
97                self.update_device(&device_proxy, track_feature_update)
98                    .await
99                    .context("updating light sensor device")?;
100            }
101            return Err(SaturatedError::Saturated);
102        }
103
104        for value in [reading.red, reading.green, reading.blue, reading.clear] {
105            let value = value as u32;
106            if value >= saturation_point {
107                if self.adjust_down() {
108                    log::info!("adjusting down due to saturation point");
109                    self.update_device(&device_proxy, track_feature_update)
110                        .await
111                        .context("updating light sensor device")?;
112                }
113                return Err(SaturatedError::Saturated);
114            } else if (value * step_change + gain_up_margin) >= saturation_point {
115                pull_up = false;
116            }
117        }
118
119        if pull_up {
120            if self.adjust_up() {
121                log::info!("adjusting up");
122                self.update_device(&device_proxy, track_feature_update)
123                    .await
124                    .context("updating light sensor device")?;
125                return Ok(true);
126            }
127        }
128
129        Ok(false)
130    }
131
132    async fn update_device<Fut>(
133        &self,
134        device_proxy: &InputDeviceProxy,
135        track_feature_update: impl Fn(FeatureEvent) -> Fut,
136    ) -> Result<(), Error>
137    where
138        Fut: Future<Output = ()>,
139    {
140        let active_setting = self.active_setting();
141        let feature_report = device_proxy
142            .get_feature_report()
143            .await
144            .context("calling get_feature_report")?
145            .map_err(|e| {
146                format_err!(
147                    "getting feature report on light sensor device: {:?}",
148                    zx::Status::from_raw(e),
149                )
150            })?;
151        let feature_report = FeatureReport {
152            sensor: Some(SensorFeatureReport {
153                sensitivity: Some(vec![active_setting.gain as i64]),
154                // Feature report expects sampling rate in microseconds.
155                sampling_rate: Some(to_us(active_setting.atime) as i64),
156                ..(feature_report
157                    .sensor
158                    .ok_or_else(|| format_err!("missing sensor in feature_report"))?)
159            }),
160            ..feature_report
161        };
162        device_proxy
163            .set_feature_report(&feature_report)
164            .await
165            .context("calling set_feature_report")?
166            .map_err(|e| {
167                format_err!(
168                    "updating feature report on light sensor device: {:?}",
169                    zx::Status::from_raw(e),
170                )
171            })?;
172        if let Some(feature_event) = FeatureEvent::maybe_new(feature_report) {
173            (track_feature_update)(feature_event).await;
174        }
175        Ok(())
176    }
177
178    fn active_setting(&self) -> AdjustmentSetting {
179        self.settings[self.idx]
180    }
181
182    /// Adjusts to a lower setting. Returns whether or not the setting changed.
183    fn adjust_down(&mut self) -> bool {
184        if self.idx == 0 {
185            false
186        } else {
187            self.idx -= 1;
188            true
189        }
190    }
191
192    /// Calculate the effect to saturation that occurs by moving the setting up a step.
193    fn step_change(&self) -> u32 {
194        let current = self.active_setting();
195        let new = match self.settings.get(self.idx + 1) {
196            Some(setting) => *setting,
197            // If we're at the limit, just return a coefficient of 1 since there will be no step
198            // change.
199            None => return 1,
200        };
201        div_round_up(new.gain, current.gain) * div_round_up(to_us(new.atime), to_us(current.atime))
202    }
203
204    /// Adjusts to a higher setting. Returns whether or not the setting changed.
205    fn adjust_up(&mut self) -> bool {
206        if self.idx == self.settings.len() - 1 {
207            false
208        } else {
209            self.idx += 1;
210            true
211        }
212    }
213}
214
215struct FeatureEvent {
216    event_time: zx::MonotonicInstant,
217    sampling_rate: i64,
218    sensitivity: i64,
219}
220
221impl FeatureEvent {
222    fn maybe_new(report: FeatureReport) -> Option<Self> {
223        let sensor = report.sensor?;
224        Some(FeatureEvent {
225            sampling_rate: sensor.sampling_rate?,
226            sensitivity: *sensor.sensitivity?.get(0)?,
227            event_time: zx::MonotonicInstant::get(),
228        })
229    }
230}
231
232impl BufferNode for FeatureEvent {
233    fn get_name(&self) -> &'static str {
234        "feature_report_update_event"
235    }
236
237    fn record_inspect(&self, node: &fuchsia_inspect::Node) {
238        node.record_int("sampling_rate", self.sampling_rate);
239        node.record_int("sensitivity", self.sensitivity);
240        node.record_int("event_time", self.event_time.into_nanos());
241    }
242}
243
244pub struct LightSensorHandler<T> {
245    hanging_get: RefCell<SensorHangingGet>,
246    calibrator: Option<T>,
247    active_setting: RefCell<ActiveSettingState>,
248    rgbc_to_lux_coefs: Rgbc<f32>,
249    si_scaling_factors: Rgbc<f32>,
250    vendor_id: u32,
251    product_id: u32,
252    /// The inventory of this handler's Inspect status.
253    inspect_status: InputHandlerStatus,
254    feature_updates: Arc<Mutex<CircularBuffer<FeatureEvent>>>,
255
256    // Additional inspect properties specific to LightSensorHandler
257
258    // Number of received events that were discarded because handler could not process
259    // its saturation values. These events are marked as handled in Input Pipeline so
260    // they are ignored by downstream handlers, but are not counted to events_handled_count.
261    // events_received_count >= events_handled_count + events_saturated_count
262    events_saturated_count: fuchsia_inspect::UintProperty,
263    // Number of connected clients subscribed to receive updated sensor readings from
264    // the HangingGet.
265    clients_connected_count: fuchsia_inspect::UintProperty,
266}
267
268#[cfg_attr(test, derive(Debug))]
269enum ActiveSettingState {
270    Uninitialized(Vec<AdjustmentSetting>),
271    Initialized(ActiveSetting),
272    Static(AdjustmentSetting),
273}
274
275pub type CalibratedLightSensorHandler = LightSensorHandler<Calibrator<LedWatcherHandle>>;
276pub async fn make_light_sensor_handler_and_spawn_led_watcher(
277    light_proxy: LightProxy,
278    brightness_proxy: BrightnessControlProxy,
279    calibration: Option<Calibration>,
280    configuration: SensorConfiguration,
281    input_handlers_node: &fuchsia_inspect::Node,
282) -> Result<(Rc<CalibratedLightSensorHandler>, Option<CancelableTask>), Error> {
283    let inspect_status = InputHandlerStatus::new(
284        input_handlers_node,
285        "light_sensor_handler",
286        /* generates_events */ false,
287    );
288    let (calibrator, watcher_task) = if let Some(calibration) = calibration {
289        let light_groups =
290            light_proxy.watch_light_groups().await.context("request initial light groups")?;
291        let led_watcher = LedWatcher::new(light_groups);
292        let (cancelation_tx, cancelation_rx) = oneshot::channel();
293        let light_proxy_receives_initial_response =
294            inspect_status.inspect_node.create_bool("light_proxy_receives_initial_response", false);
295        let brightness_proxy_receives_initial_response = inspect_status
296            .inspect_node
297            .create_bool("brightness_proxy_receives_initial_response", false);
298        let (led_watcher_handle, watcher_task) = led_watcher
299            .handle_light_groups_and_brightness_watch(
300                light_proxy,
301                brightness_proxy,
302                cancelation_rx,
303                light_proxy_receives_initial_response,
304                brightness_proxy_receives_initial_response,
305            );
306        let watcher_task = CancelableTask::new(cancelation_tx, watcher_task);
307        let calibrator = Calibrator::new(calibration, led_watcher_handle);
308        (Some(calibrator), Some(watcher_task))
309    } else {
310        (None, None)
311    };
312    Ok((LightSensorHandler::new(calibrator, configuration, inspect_status), watcher_task))
313}
314
315impl<T> LightSensorHandler<T> {
316    pub fn new(
317        calibrator: impl Into<Option<T>>,
318        configuration: SensorConfiguration,
319        inspect_status: InputHandlerStatus,
320    ) -> Rc<Self> {
321        let calibrator = calibrator.into();
322        let hanging_get = RefCell::new(HangingGet::new_unknown_state(Box::new(
323            |sensor_data: &LightSensorData, responder: SensorWatchResponder| -> bool {
324                if let Err(e) = responder.send(&FidlLightSensorData::from(*sensor_data)) {
325                    log::warn!("Failed to send updated data to client: {e:?}",);
326                }
327                true
328            },
329        ) as NotifyFn));
330        let feature_updates = Arc::new(Mutex::new(CircularBuffer::new(5)));
331        let active_setting =
332            RefCell::new(ActiveSettingState::Uninitialized(configuration.settings));
333        let events_saturated_count =
334            inspect_status.inspect_node.create_uint("events_saturated_count", 0);
335        let clients_connected_count =
336            inspect_status.inspect_node.create_uint("clients_connected_count", 0);
337        inspect_status.inspect_node.record_lazy_child("recent_feature_events_log", {
338            let feature_updates = Arc::clone(&feature_updates);
339            move || {
340                let feature_updates = Arc::clone(&feature_updates);
341                async move {
342                    let inspector = fuchsia_inspect::Inspector::default();
343                    Ok(feature_updates.lock().await.record_all_lazy_inspect(inspector))
344                }
345                .boxed()
346            }
347        });
348        Rc::new(Self {
349            hanging_get,
350            calibrator,
351            active_setting,
352            rgbc_to_lux_coefs: configuration.rgbc_to_lux_coefficients,
353            si_scaling_factors: configuration.si_scaling_factors,
354            vendor_id: configuration.vendor_id,
355            product_id: configuration.product_id,
356            inspect_status,
357            events_saturated_count,
358            clients_connected_count,
359            feature_updates,
360        })
361    }
362
363    pub async fn handle_light_sensor_request_stream(
364        self: &Rc<Self>,
365        mut stream: SensorRequestStream,
366    ) -> Result<(), Error> {
367        let subscriber = self.hanging_get.borrow_mut().new_subscriber();
368        self.clients_connected_count.add(1);
369        while let Some(request) =
370            stream.try_next().await.context("Error handling light sensor request stream")?
371        {
372            match request {
373                SensorRequest::Watch { responder } => {
374                    subscriber
375                        .register(responder)
376                        .context("registering responder for Watch call")?;
377                }
378            }
379        }
380        self.clients_connected_count.subtract(1);
381        Ok(())
382    }
383
384    /// Calculates the lux of a reading.
385    fn calculate_lux(&self, reading: Rgbc<f32>) -> f32 {
386        Rgbc::multi_map(reading, self.rgbc_to_lux_coefs, |reading, coef| reading * coef)
387            .fold(0.0, |lux, c| lux + c)
388    }
389}
390
391/// Normalize raw sensor counts.
392///
393/// I.e. values being read in dark lighting will be returned as their original value,
394/// but values in the brighter lighting will be returned larger, as a reading within the true
395/// output range of the light sensor.
396fn process_reading(reading: Rgbc<u16>, initial_setting: AdjustmentSetting) -> Rgbc<f32> {
397    let gain_bias = MAX_GAIN / initial_setting.gain as u32;
398
399    reading.map(|v| {
400        div_round_closest(v as u32 * gain_bias * MAX_ATIME, num_cycles(initial_setting.atime))
401            as f32
402    })
403}
404
405#[derive(Debug)]
406enum SaturatedError {
407    Saturated,
408    Anyhow(Error),
409}
410
411impl From<Error> for SaturatedError {
412    fn from(value: Error) -> Self {
413        Self::Anyhow(value)
414    }
415}
416
417impl<T> LightSensorHandler<T>
418where
419    T: Calibrate,
420{
421    async fn get_calibrated_data(
422        &self,
423        reading: Rgbc<u16>,
424        device_proxy: &InputDeviceProxy,
425    ) -> Result<LightReading, SaturatedError> {
426        // Update the sensor after the active setting has been used for calculations, since it may
427        // change after this call.
428        let (initial_setting, pulled_up) = {
429            let mut active_setting_state = self.active_setting.borrow_mut();
430            let track_feature_update = |feature_event| async move {
431                self.feature_updates.lock().await.push(feature_event);
432            };
433            match &mut *active_setting_state {
434                ActiveSettingState::Uninitialized(ref mut adjustment_settings) => {
435                    let active_setting = ActiveSetting::new(std::mem::take(adjustment_settings), 0);
436                    if let Err(e) =
437                        active_setting.update_device(&device_proxy, track_feature_update).await
438                    {
439                        log::error!(
440                            "Unable to set initial settings for sensor. Falling back \
441                                        to static setting: {e:?}"
442                        );
443                        // Switch to a static state because this sensor cannot change its settings.
444                        let setting = active_setting.settings[0];
445                        *active_setting_state = ActiveSettingState::Static(setting);
446                        (setting, false)
447                    } else {
448                        // Initial setting is unset. Reading cannot be properly adjusted, so
449                        // override the current settings on the device and report a saturated error
450                        // so this reading is not sent to any clients.
451                        *active_setting_state = ActiveSettingState::Initialized(active_setting);
452                        return Err(SaturatedError::Saturated);
453                    }
454                }
455                ActiveSettingState::Initialized(ref mut active_setting) => {
456                    let initial_setting = active_setting.active_setting();
457                    let pulled_up = active_setting
458                        .adjust(reading, device_proxy, track_feature_update)
459                        .await
460                        .map_err(|e| match e {
461                            SaturatedError::Saturated => SaturatedError::Saturated,
462                            SaturatedError::Anyhow(e) => {
463                                SaturatedError::Anyhow(e.context("adjusting active setting"))
464                            }
465                        })?;
466                    (initial_setting, pulled_up)
467                }
468                ActiveSettingState::Static(setting) => (*setting, false),
469            }
470        };
471        let uncalibrated_rgbc = process_reading(reading, initial_setting);
472        let rgbc = self
473            .calibrator
474            .as_ref()
475            .map(|calibrator| calibrator.calibrate(uncalibrated_rgbc))
476            .unwrap_or(uncalibrated_rgbc);
477
478        let si_rgbc = (self.si_scaling_factors * rgbc).map(|c| c / ADC_SCALING_FACTOR);
479        let lux = self.calculate_lux(si_rgbc);
480        let cct = correlated_color_temperature(si_rgbc);
481        // Only return saturation error if the cct is invalid and the sensor was also adjusted. If
482        // only the cct is invalid, it means the sensor is not undersaturated but reading
483        // pitch-black at the highest sensitivity.
484        if cct.is_none() && pulled_up {
485            return Err(SaturatedError::Saturated);
486        }
487
488        let rgbc = uncalibrated_rgbc.map(|c| c as f32 / TRANSITION_SCALING_FACTOR);
489        Ok(LightReading { rgbc, si_rgbc, is_calibrated: self.calibrator.is_some(), lux, cct })
490    }
491}
492
493/// Converts atime values to microseconds.
494fn to_us(atime: u32) -> u32 {
495    num_cycles(atime) * MIN_TIME_STEP_US
496}
497
498/// Divides n by d, rounding up.
499fn div_round_up(n: u32, d: u32) -> u32 {
500    (n + d - 1) / d
501}
502
503/// Divides n by d, rounding to the closest value.
504fn div_round_closest(n: u32, d: u32) -> u32 {
505    (n + (d / 2)) / d
506}
507
508// These values are defined in //src/devices/light-sensor/ams-light/tcs3400.cc
509const MAX_SATURATION_RED: u16 = 21_067;
510const MAX_SATURATION_GREEN: u16 = 20_395;
511const MAX_SATURATION_BLUE: u16 = 20_939;
512const MAX_SATURATION_CLEAR: u16 = 65_085;
513
514// TODO(https://fxbug.dev/42143847) Update when sensor reports include saturation
515// information.
516fn saturated(reading: Rgbc<u16>) -> bool {
517    reading.red == MAX_SATURATION_RED
518        && reading.green == MAX_SATURATION_GREEN
519        && reading.blue == MAX_SATURATION_BLUE
520        && reading.clear == MAX_SATURATION_CLEAR
521}
522
523// See http://ams.com/eng/content/view/download/145158 for the detail of the
524// following calculation.
525/// Returns `None` when the reading is under or over saturated.
526fn correlated_color_temperature(reading: Rgbc<f32>) -> Option<f32> {
527    // TODO(https://fxbug.dev/42072871): Move color_temp calculation out of common code
528    let big_x = -0.7687 * reading.red + 9.7764 * reading.green + -7.4164 * reading.blue;
529    let big_y = -1.7475 * reading.red + 9.9603 * reading.green + -5.6755 * reading.blue;
530    let big_z = -3.6709 * reading.red + 4.8637 * reading.green + 4.3682 * reading.blue;
531
532    let div = big_x + big_y + big_z;
533    if div.abs() < f32::EPSILON {
534        return None;
535    }
536
537    let x = big_x / div;
538    let y = big_y / div;
539    let n = (x - 0.3320) / (0.1858 - y);
540    Some(449.0 * n.powi(3) + 3525.0 * n.powi(2) + 6823.3 * n + 5520.33)
541}
542
543#[async_trait(?Send)]
544impl<T> InputHandler for LightSensorHandler<T>
545where
546    T: Calibrate + 'static,
547{
548    async fn handle_input_event(self: Rc<Self>, mut input_event: InputEvent) -> Vec<InputEvent> {
549        if let InputEvent {
550            device_event: InputDeviceEvent::LightSensor(ref light_sensor_event),
551            device_descriptor: InputDeviceDescriptor::LightSensor(ref light_sensor_descriptor),
552            event_time: _,
553            handled: Handled::No,
554            trace_id: _,
555        } = input_event
556        {
557            self.inspect_status.count_received_event(input_event.clone());
558            // Validate descriptor matches.
559            if !(light_sensor_descriptor.vendor_id == self.vendor_id
560                && light_sensor_descriptor.product_id == self.product_id)
561            {
562                // Don't handle the event.
563                log::warn!(
564                    "Unexpected device in light sensor handler: {:?}",
565                    light_sensor_descriptor,
566                );
567                return vec![input_event];
568            }
569            let LightReading { rgbc, si_rgbc, is_calibrated, lux, cct } = match self
570                .get_calibrated_data(light_sensor_event.rgbc, &light_sensor_event.device_proxy)
571                .await
572            {
573                Ok(data) => data,
574                Err(SaturatedError::Saturated) => {
575                    // Saturated data is not useful for clients so we do not publish data.
576                    self.events_saturated_count.add(1);
577                    return vec![input_event];
578                }
579                Err(SaturatedError::Anyhow(e)) => {
580                    log::warn!("Failed to get light sensor readings: {e:?}");
581                    // Don't handle the event.
582                    return vec![input_event];
583                }
584            };
585            let publisher = self.hanging_get.borrow_mut().new_publisher();
586            publisher.set(LightSensorData {
587                rgbc,
588                si_rgbc,
589                is_calibrated,
590                calculated_lux: lux,
591                correlated_color_temperature: cct,
592            });
593            input_event.handled = Handled::Yes;
594            self.inspect_status.count_handled_event();
595        }
596        vec![input_event]
597    }
598
599    fn set_handler_healthy(self: std::rc::Rc<Self>) {
600        self.inspect_status.health_node.borrow_mut().set_ok();
601    }
602
603    fn set_handler_unhealthy(self: std::rc::Rc<Self>, msg: &str) {
604        self.inspect_status.health_node.borrow_mut().set_unhealthy(msg);
605    }
606}
607
608#[derive(Copy, Clone, PartialEq)]
609struct LightSensorData {
610    rgbc: Rgbc<f32>,
611    si_rgbc: Rgbc<f32>,
612    is_calibrated: bool,
613    calculated_lux: f32,
614    correlated_color_temperature: Option<f32>,
615}
616
617impl From<LightSensorData> for FidlLightSensorData {
618    fn from(data: LightSensorData) -> Self {
619        Self {
620            rgbc: Some(FidlRgbc::from(data.rgbc)),
621            si_rgbc: Some(FidlRgbc::from(data.si_rgbc)),
622            is_calibrated: Some(data.is_calibrated),
623            calculated_lux: Some(data.calculated_lux),
624            correlated_color_temperature: data.correlated_color_temperature,
625            ..Default::default()
626        }
627    }
628}
629
630impl From<Rgbc<f32>> for FidlRgbc {
631    fn from(rgbc: Rgbc<f32>) -> Self {
632        Self {
633            red_intensity: rgbc.red,
634            green_intensity: rgbc.green,
635            blue_intensity: rgbc.blue,
636            clear_intensity: rgbc.clear,
637        }
638    }
639}
640
641#[cfg(test)]
642mod light_sensor_handler_tests;