xref: /linux/drivers/iio/pressure/zpa2326.c (revision 77346a704c913268a2dad68d59523fd85dc74088)
1 // SPDX-License-Identifier: GPL-2.0-only
2 /*
3  * Murata ZPA2326 pressure and temperature sensor IIO driver
4  *
5  * Copyright (c) 2016 Parrot S.A.
6  *
7  * Author: Gregor Boirie <gregor.boirie@parrot.com>
8  */
9 
10 /**
11  * DOC: ZPA2326 theory of operations
12  *
13  * This driver supports %INDIO_DIRECT_MODE and %INDIO_BUFFER_TRIGGERED IIO
14  * modes.
15  * A internal hardware trigger is also implemented to dispatch registered IIO
16  * trigger consumers upon "sample ready" interrupts.
17  *
18  * ZPA2326 hardware supports 2 sampling mode: one shot and continuous.
19  *
20  * A complete one shot sampling cycle gets device out of low power mode,
21  * performs pressure and temperature measurements, then automatically switches
22  * back to low power mode. It is meant for on demand sampling with optimal power
23  * saving at the cost of lower sampling rate and higher software overhead.
24  * This is a natural candidate for IIO read_raw hook implementation
25  * (%INDIO_DIRECT_MODE). It is also used for triggered buffering support to
26  * ensure explicit synchronization with external trigger events
27  * (%INDIO_BUFFER_TRIGGERED).
28  *
29  * The continuous mode works according to a periodic hardware measurement
30  * process continuously pushing samples into an internal hardware FIFO (for
31  * pressure samples only). Measurement cycle completion may be signaled by a
32  * "sample ready" interrupt.
33  * Typical software sequence of operations :
34  * - get device out of low power mode,
35  * - setup hardware sampling period,
36  * - at end of period, upon data ready interrupt: pop pressure samples out of
37  *   hardware FIFO and fetch temperature sample
38  * - when no longer needed, stop sampling process by putting device into
39  *   low power mode.
40  * This mode is used to implement %INDIO_BUFFER_TRIGGERED mode if device tree
41  * declares a valid interrupt line. In this case, the internal hardware trigger
42  * drives acquisition.
43  *
44  * Note that hardware sampling frequency is taken into account only when
45  * internal hardware trigger is attached as the highest sampling rate seems to
46  * be the most energy efficient.
47  *
48  * TODO:
49  *   preset pressure threshold crossing / IIO events ;
50  *   differential pressure sampling ;
51  *   hardware samples averaging.
52  */
53 
54 #include <linux/module.h>
55 #include <linux/kernel.h>
56 #include <linux/delay.h>
57 #include <linux/interrupt.h>
58 #include <linux/regulator/consumer.h>
59 #include <linux/pm_runtime.h>
60 #include <linux/regmap.h>
61 #include <linux/iio/iio.h>
62 #include <linux/iio/sysfs.h>
63 #include <linux/iio/buffer.h>
64 #include <linux/iio/trigger.h>
65 #include <linux/iio/trigger_consumer.h>
66 #include <linux/iio/triggered_buffer.h>
67 #include <asm/unaligned.h>
68 #include "zpa2326.h"
69 
70 /* 200 ms should be enough for the longest conversion time in one-shot mode. */
71 #define ZPA2326_CONVERSION_JIFFIES (HZ / 5)
72 
73 /* There should be a 1 ms delay (Tpup) after getting out of reset. */
74 #define ZPA2326_TPUP_USEC_MIN      (1000)
75 #define ZPA2326_TPUP_USEC_MAX      (2000)
76 
77 /**
78  * struct zpa2326_frequency - Hardware sampling frequency descriptor
79  * @hz : Frequency in Hertz.
80  * @odr: Output Data Rate word as expected by %ZPA2326_CTRL_REG3_REG.
81  */
82 struct zpa2326_frequency {
83 	int hz;
84 	u16 odr;
85 };
86 
87 /*
88  * Keep these in strict ascending order: last array entry is expected to
89  * correspond to the highest sampling frequency.
90  */
91 static const struct zpa2326_frequency zpa2326_sampling_frequencies[] = {
92 	{ .hz = 1,  .odr = 1 << ZPA2326_CTRL_REG3_ODR_SHIFT },
93 	{ .hz = 5,  .odr = 5 << ZPA2326_CTRL_REG3_ODR_SHIFT },
94 	{ .hz = 11, .odr = 6 << ZPA2326_CTRL_REG3_ODR_SHIFT },
95 	{ .hz = 23, .odr = 7 << ZPA2326_CTRL_REG3_ODR_SHIFT },
96 };
97 
98 /* Return the highest hardware sampling frequency available. */
99 static const struct zpa2326_frequency *zpa2326_highest_frequency(void)
100 {
101 	return &zpa2326_sampling_frequencies[
102 		ARRAY_SIZE(zpa2326_sampling_frequencies) - 1];
103 }
104 
105 /**
106  * struct zpa_private - Per-device internal private state
107  * @timestamp:  Buffered samples ready datum.
108  * @regmap:     Underlying I2C / SPI bus adapter used to abstract slave register
109  *              accesses.
110  * @result:     Allows sampling logic to get completion status of operations
111  *              that interrupt handlers perform asynchronously.
112  * @data_ready: Interrupt handler uses this to wake user context up at sampling
113  *              operation completion.
114  * @trigger:    Optional hardware / interrupt driven trigger used to notify
115  *              external devices a new sample is ready.
116  * @waken:      Flag indicating whether or not device has just been powered on.
117  * @irq:        Optional interrupt line: negative or zero if not declared into
118  *              DT, in which case sampling logic keeps polling status register
119  *              to detect completion.
120  * @frequency:  Current hardware sampling frequency.
121  * @vref:       Power / voltage reference.
122  * @vdd:        Power supply.
123  */
124 struct zpa2326_private {
125 	s64                             timestamp;
126 	struct regmap                  *regmap;
127 	int                             result;
128 	struct completion               data_ready;
129 	struct iio_trigger             *trigger;
130 	bool                            waken;
131 	int                             irq;
132 	const struct zpa2326_frequency *frequency;
133 	struct regulator               *vref;
134 	struct regulator               *vdd;
135 };
136 
137 #define zpa2326_err(idev, fmt, ...)					\
138 	dev_err(idev->dev.parent, fmt "\n", ##__VA_ARGS__)
139 
140 #define zpa2326_warn(idev, fmt, ...)					\
141 	dev_warn(idev->dev.parent, fmt "\n", ##__VA_ARGS__)
142 
143 #define zpa2326_dbg(idev, fmt, ...)					\
144 	dev_dbg(idev->dev.parent, fmt "\n", ##__VA_ARGS__)
145 
146 bool zpa2326_isreg_writeable(struct device *dev, unsigned int reg)
147 {
148 	switch (reg) {
149 	case ZPA2326_REF_P_XL_REG:
150 	case ZPA2326_REF_P_L_REG:
151 	case ZPA2326_REF_P_H_REG:
152 	case ZPA2326_RES_CONF_REG:
153 	case ZPA2326_CTRL_REG0_REG:
154 	case ZPA2326_CTRL_REG1_REG:
155 	case ZPA2326_CTRL_REG2_REG:
156 	case ZPA2326_CTRL_REG3_REG:
157 	case ZPA2326_THS_P_LOW_REG:
158 	case ZPA2326_THS_P_HIGH_REG:
159 		return true;
160 
161 	default:
162 		return false;
163 	}
164 }
165 EXPORT_SYMBOL_GPL(zpa2326_isreg_writeable);
166 
167 bool zpa2326_isreg_readable(struct device *dev, unsigned int reg)
168 {
169 	switch (reg) {
170 	case ZPA2326_REF_P_XL_REG:
171 	case ZPA2326_REF_P_L_REG:
172 	case ZPA2326_REF_P_H_REG:
173 	case ZPA2326_DEVICE_ID_REG:
174 	case ZPA2326_RES_CONF_REG:
175 	case ZPA2326_CTRL_REG0_REG:
176 	case ZPA2326_CTRL_REG1_REG:
177 	case ZPA2326_CTRL_REG2_REG:
178 	case ZPA2326_CTRL_REG3_REG:
179 	case ZPA2326_INT_SOURCE_REG:
180 	case ZPA2326_THS_P_LOW_REG:
181 	case ZPA2326_THS_P_HIGH_REG:
182 	case ZPA2326_STATUS_REG:
183 	case ZPA2326_PRESS_OUT_XL_REG:
184 	case ZPA2326_PRESS_OUT_L_REG:
185 	case ZPA2326_PRESS_OUT_H_REG:
186 	case ZPA2326_TEMP_OUT_L_REG:
187 	case ZPA2326_TEMP_OUT_H_REG:
188 		return true;
189 
190 	default:
191 		return false;
192 	}
193 }
194 EXPORT_SYMBOL_GPL(zpa2326_isreg_readable);
195 
196 bool zpa2326_isreg_precious(struct device *dev, unsigned int reg)
197 {
198 	switch (reg) {
199 	case ZPA2326_INT_SOURCE_REG:
200 	case ZPA2326_PRESS_OUT_H_REG:
201 		return true;
202 
203 	default:
204 		return false;
205 	}
206 }
207 EXPORT_SYMBOL_GPL(zpa2326_isreg_precious);
208 
209 /**
210  * zpa2326_enable_device() - Enable device, i.e. get out of low power mode.
211  * @indio_dev: The IIO device associated with the hardware to enable.
212  *
213  * Required to access complete register space and to perform any sampling
214  * or control operations.
215  *
216  * Return: Zero when successful, a negative error code otherwise.
217  */
218 static int zpa2326_enable_device(const struct iio_dev *indio_dev)
219 {
220 	int err;
221 
222 	err = regmap_write(((struct zpa2326_private *)
223 			    iio_priv(indio_dev))->regmap,
224 			    ZPA2326_CTRL_REG0_REG, ZPA2326_CTRL_REG0_ENABLE);
225 	if (err) {
226 		zpa2326_err(indio_dev, "failed to enable device (%d)", err);
227 		return err;
228 	}
229 
230 	zpa2326_dbg(indio_dev, "enabled");
231 
232 	return 0;
233 }
234 
235 /**
236  * zpa2326_sleep() - Disable device, i.e. switch to low power mode.
237  * @indio_dev: The IIO device associated with the hardware to disable.
238  *
239  * Only %ZPA2326_DEVICE_ID_REG and %ZPA2326_CTRL_REG0_REG registers may be
240  * accessed once device is in the disabled state.
241  *
242  * Return: Zero when successful, a negative error code otherwise.
243  */
244 static int zpa2326_sleep(const struct iio_dev *indio_dev)
245 {
246 	int err;
247 
248 	err = regmap_write(((struct zpa2326_private *)
249 			    iio_priv(indio_dev))->regmap,
250 			    ZPA2326_CTRL_REG0_REG, 0);
251 	if (err) {
252 		zpa2326_err(indio_dev, "failed to sleep (%d)", err);
253 		return err;
254 	}
255 
256 	zpa2326_dbg(indio_dev, "sleeping");
257 
258 	return 0;
259 }
260 
261 /**
262  * zpa2326_reset_device() - Reset device to default hardware state.
263  * @indio_dev: The IIO device associated with the hardware to reset.
264  *
265  * Disable sampling and empty hardware FIFO.
266  * Device must be enabled before reset, i.e. not in low power mode.
267  *
268  * Return: Zero when successful, a negative error code otherwise.
269  */
270 static int zpa2326_reset_device(const struct iio_dev *indio_dev)
271 {
272 	int err;
273 
274 	err = regmap_write(((struct zpa2326_private *)
275 			    iio_priv(indio_dev))->regmap,
276 			    ZPA2326_CTRL_REG2_REG, ZPA2326_CTRL_REG2_SWRESET);
277 	if (err) {
278 		zpa2326_err(indio_dev, "failed to reset device (%d)", err);
279 		return err;
280 	}
281 
282 	usleep_range(ZPA2326_TPUP_USEC_MIN, ZPA2326_TPUP_USEC_MAX);
283 
284 	zpa2326_dbg(indio_dev, "reset");
285 
286 	return 0;
287 }
288 
289 /**
290  * zpa2326_start_oneshot() - Start a single sampling cycle, i.e. in one shot
291  *                           mode.
292  * @indio_dev: The IIO device associated with the sampling hardware.
293  *
294  * Device must have been previously enabled and configured for one shot mode.
295  * Device will be switched back to low power mode at end of cycle.
296  *
297  * Return: Zero when successful, a negative error code otherwise.
298  */
299 static int zpa2326_start_oneshot(const struct iio_dev *indio_dev)
300 {
301 	int err;
302 
303 	err = regmap_write(((struct zpa2326_private *)
304 			    iio_priv(indio_dev))->regmap,
305 			    ZPA2326_CTRL_REG0_REG,
306 			    ZPA2326_CTRL_REG0_ENABLE |
307 			    ZPA2326_CTRL_REG0_ONE_SHOT);
308 	if (err) {
309 		zpa2326_err(indio_dev, "failed to start one shot cycle (%d)",
310 			    err);
311 		return err;
312 	}
313 
314 	zpa2326_dbg(indio_dev, "one shot cycle started");
315 
316 	return 0;
317 }
318 
319 /**
320  * zpa2326_power_on() - Power on device to allow subsequent configuration.
321  * @indio_dev: The IIO device associated with the sampling hardware.
322  * @private:   Internal private state related to @indio_dev.
323  *
324  * Sampling will be disabled, preventing strange things from happening in our
325  * back. Hardware FIFO content will be cleared.
326  * When successful, device will be left in the enabled state to allow further
327  * configuration.
328  *
329  * Return: Zero when successful, a negative error code otherwise.
330  */
331 static int zpa2326_power_on(const struct iio_dev         *indio_dev,
332 			    const struct zpa2326_private *private)
333 {
334 	int err;
335 
336 	err = regulator_enable(private->vref);
337 	if (err)
338 		return err;
339 
340 	err = regulator_enable(private->vdd);
341 	if (err)
342 		goto vref;
343 
344 	zpa2326_dbg(indio_dev, "powered on");
345 
346 	err = zpa2326_enable_device(indio_dev);
347 	if (err)
348 		goto vdd;
349 
350 	err = zpa2326_reset_device(indio_dev);
351 	if (err)
352 		goto sleep;
353 
354 	return 0;
355 
356 sleep:
357 	zpa2326_sleep(indio_dev);
358 vdd:
359 	regulator_disable(private->vdd);
360 vref:
361 	regulator_disable(private->vref);
362 
363 	zpa2326_dbg(indio_dev, "powered off");
364 
365 	return err;
366 }
367 
368 /**
369  * zpa2326_power_off() - Power off device, i.e. disable attached power
370  *                       regulators.
371  * @indio_dev: The IIO device associated with the sampling hardware.
372  * @private:   Internal private state related to @indio_dev.
373  *
374  * Return: Zero when successful, a negative error code otherwise.
375  */
376 static void zpa2326_power_off(const struct iio_dev         *indio_dev,
377 			      const struct zpa2326_private *private)
378 {
379 	regulator_disable(private->vdd);
380 	regulator_disable(private->vref);
381 
382 	zpa2326_dbg(indio_dev, "powered off");
383 }
384 
385 /**
386  * zpa2326_config_oneshot() - Setup device for one shot / on demand mode.
387  * @indio_dev: The IIO device associated with the sampling hardware.
388  * @irq:       Optional interrupt line the hardware uses to notify new data
389  *             samples are ready. Negative or zero values indicate no interrupts
390  *             are available, meaning polling is required.
391  *
392  * Output Data Rate is configured for the highest possible rate so that
393  * conversion time and power consumption are reduced to a minimum.
394  * Note that hardware internal averaging machinery (not implemented in this
395  * driver) is not applicable in this mode.
396  *
397  * Device must have been previously enabled before calling
398  * zpa2326_config_oneshot().
399  *
400  * Return: Zero when successful, a negative error code otherwise.
401  */
402 static int zpa2326_config_oneshot(const struct iio_dev *indio_dev,
403 				  int                   irq)
404 {
405 	struct regmap                  *regs = ((struct zpa2326_private *)
406 						iio_priv(indio_dev))->regmap;
407 	const struct zpa2326_frequency *freq = zpa2326_highest_frequency();
408 	int                             err;
409 
410 	/* Setup highest available Output Data Rate for one shot mode. */
411 	err = regmap_write(regs, ZPA2326_CTRL_REG3_REG, freq->odr);
412 	if (err)
413 		return err;
414 
415 	if (irq > 0) {
416 		/* Request interrupt when new sample is available. */
417 		err = regmap_write(regs, ZPA2326_CTRL_REG1_REG,
418 				   (u8)~ZPA2326_CTRL_REG1_MASK_DATA_READY);
419 
420 		if (err) {
421 			dev_err(indio_dev->dev.parent,
422 				"failed to setup one shot mode (%d)", err);
423 			return err;
424 		}
425 	}
426 
427 	zpa2326_dbg(indio_dev, "one shot mode setup @%dHz", freq->hz);
428 
429 	return 0;
430 }
431 
432 /**
433  * zpa2326_clear_fifo() - Clear remaining entries in hardware FIFO.
434  * @indio_dev: The IIO device associated with the sampling hardware.
435  * @min_count: Number of samples present within hardware FIFO.
436  *
437  * @min_count argument is a hint corresponding to the known minimum number of
438  * samples currently living in the FIFO. This allows to reduce the number of bus
439  * accesses by skipping status register read operation as long as we know for
440  * sure there are still entries left.
441  *
442  * Return: Zero when successful, a negative error code otherwise.
443  */
444 static int zpa2326_clear_fifo(const struct iio_dev *indio_dev,
445 			      unsigned int          min_count)
446 {
447 	struct regmap *regs = ((struct zpa2326_private *)
448 			       iio_priv(indio_dev))->regmap;
449 	int            err;
450 	unsigned int   val;
451 
452 	if (!min_count) {
453 		/*
454 		 * No hint: read status register to determine whether FIFO is
455 		 * empty or not.
456 		 */
457 		err = regmap_read(regs, ZPA2326_STATUS_REG, &val);
458 
459 		if (err < 0)
460 			goto err;
461 
462 		if (val & ZPA2326_STATUS_FIFO_E)
463 			/* Fifo is empty: nothing to trash. */
464 			return 0;
465 	}
466 
467 	/* Clear FIFO. */
468 	do {
469 		/*
470 		 * A single fetch from pressure MSB register is enough to pop
471 		 * values out of FIFO.
472 		 */
473 		err = regmap_read(regs, ZPA2326_PRESS_OUT_H_REG, &val);
474 		if (err < 0)
475 			goto err;
476 
477 		if (min_count) {
478 			/*
479 			 * We know for sure there are at least min_count entries
480 			 * left in FIFO. Skip status register read.
481 			 */
482 			min_count--;
483 			continue;
484 		}
485 
486 		err = regmap_read(regs, ZPA2326_STATUS_REG, &val);
487 		if (err < 0)
488 			goto err;
489 
490 	} while (!(val & ZPA2326_STATUS_FIFO_E));
491 
492 	zpa2326_dbg(indio_dev, "FIFO cleared");
493 
494 	return 0;
495 
496 err:
497 	zpa2326_err(indio_dev, "failed to clear FIFO (%d)", err);
498 
499 	return err;
500 }
501 
502 /**
503  * zpa2326_dequeue_pressure() - Retrieve the most recent pressure sample from
504  *                              hardware FIFO.
505  * @indio_dev: The IIO device associated with the sampling hardware.
506  * @pressure:  Sampled pressure output.
507  *
508  * Note that ZPA2326 hardware FIFO stores pressure samples only.
509  *
510  * Return: Zero when successful, a negative error code otherwise.
511  */
512 static int zpa2326_dequeue_pressure(const struct iio_dev *indio_dev,
513 				    u32                  *pressure)
514 {
515 	struct regmap *regs = ((struct zpa2326_private *)
516 			       iio_priv(indio_dev))->regmap;
517 	unsigned int   val;
518 	int            err;
519 	int            cleared = -1;
520 
521 	err = regmap_read(regs, ZPA2326_STATUS_REG, &val);
522 	if (err < 0)
523 		return err;
524 
525 	*pressure = 0;
526 
527 	if (val & ZPA2326_STATUS_P_OR) {
528 		/*
529 		 * Fifo overrun : first sample dequeued from FIFO is the
530 		 * newest.
531 		 */
532 		zpa2326_warn(indio_dev, "FIFO overflow");
533 
534 		err = regmap_bulk_read(regs, ZPA2326_PRESS_OUT_XL_REG, pressure,
535 				       3);
536 		if (err)
537 			return err;
538 
539 #define ZPA2326_FIFO_DEPTH (16U)
540 		/* Hardware FIFO may hold no more than 16 pressure samples. */
541 		return zpa2326_clear_fifo(indio_dev, ZPA2326_FIFO_DEPTH - 1);
542 	}
543 
544 	/*
545 	 * Fifo has not overflown : retrieve newest sample. We need to pop
546 	 * values out until FIFO is empty : last fetched pressure is the newest.
547 	 * In nominal cases, we should find a single queued sample only.
548 	 */
549 	do {
550 		err = regmap_bulk_read(regs, ZPA2326_PRESS_OUT_XL_REG, pressure,
551 				       3);
552 		if (err)
553 			return err;
554 
555 		err = regmap_read(regs, ZPA2326_STATUS_REG, &val);
556 		if (err < 0)
557 			return err;
558 
559 		cleared++;
560 	} while (!(val & ZPA2326_STATUS_FIFO_E));
561 
562 	if (cleared)
563 		/*
564 		 * Samples were pushed by hardware during previous rounds but we
565 		 * didn't consume them fast enough: inform user.
566 		 */
567 		zpa2326_dbg(indio_dev, "cleared %d FIFO entries", cleared);
568 
569 	return 0;
570 }
571 
572 /**
573  * zpa2326_fill_sample_buffer() - Enqueue new channel samples to IIO buffer.
574  * @indio_dev: The IIO device associated with the sampling hardware.
575  * @private:   Internal private state related to @indio_dev.
576  *
577  * Return: Zero when successful, a negative error code otherwise.
578  */
579 static int zpa2326_fill_sample_buffer(struct iio_dev               *indio_dev,
580 				      const struct zpa2326_private *private)
581 {
582 	struct {
583 		u32 pressure;
584 		u16 temperature;
585 		u64 timestamp;
586 	}   sample;
587 	int err;
588 
589 	if (test_bit(0, indio_dev->active_scan_mask)) {
590 		/* Get current pressure from hardware FIFO. */
591 		err = zpa2326_dequeue_pressure(indio_dev, &sample.pressure);
592 		if (err) {
593 			zpa2326_warn(indio_dev, "failed to fetch pressure (%d)",
594 				     err);
595 			return err;
596 		}
597 	}
598 
599 	if (test_bit(1, indio_dev->active_scan_mask)) {
600 		/* Get current temperature. */
601 		err = regmap_bulk_read(private->regmap, ZPA2326_TEMP_OUT_L_REG,
602 				       &sample.temperature, 2);
603 		if (err) {
604 			zpa2326_warn(indio_dev,
605 				     "failed to fetch temperature (%d)", err);
606 			return err;
607 		}
608 	}
609 
610 	/*
611 	 * Now push samples using timestamp stored either :
612 	 *   - by hardware interrupt handler if interrupt is available: see
613 	 *     zpa2326_handle_irq(),
614 	 *   - or oneshot completion polling machinery : see
615 	 *     zpa2326_trigger_handler().
616 	 */
617 	zpa2326_dbg(indio_dev, "filling raw samples buffer");
618 
619 	iio_push_to_buffers_with_timestamp(indio_dev, &sample,
620 					   private->timestamp);
621 
622 	return 0;
623 }
624 
625 #ifdef CONFIG_PM
626 static int zpa2326_runtime_suspend(struct device *parent)
627 {
628 	const struct iio_dev *indio_dev = dev_get_drvdata(parent);
629 
630 	if (pm_runtime_autosuspend_expiration(parent))
631 		/* Userspace changed autosuspend delay. */
632 		return -EAGAIN;
633 
634 	zpa2326_power_off(indio_dev, iio_priv(indio_dev));
635 
636 	return 0;
637 }
638 
639 static int zpa2326_runtime_resume(struct device *parent)
640 {
641 	const struct iio_dev *indio_dev = dev_get_drvdata(parent);
642 
643 	return zpa2326_power_on(indio_dev, iio_priv(indio_dev));
644 }
645 
646 const struct dev_pm_ops zpa2326_pm_ops = {
647 	SET_SYSTEM_SLEEP_PM_OPS(pm_runtime_force_suspend,
648 				pm_runtime_force_resume)
649 	SET_RUNTIME_PM_OPS(zpa2326_runtime_suspend, zpa2326_runtime_resume,
650 			   NULL)
651 };
652 EXPORT_SYMBOL_GPL(zpa2326_pm_ops);
653 
654 /**
655  * zpa2326_resume() - Request the PM layer to power supply the device.
656  * @indio_dev: The IIO device associated with the sampling hardware.
657  *
658  * Return:
659  *  < 0 - a negative error code meaning failure ;
660  *    0 - success, device has just been powered up ;
661  *    1 - success, device was already powered.
662  */
663 static int zpa2326_resume(const struct iio_dev *indio_dev)
664 {
665 	int err;
666 
667 	err = pm_runtime_get_sync(indio_dev->dev.parent);
668 	if (err < 0)
669 		return err;
670 
671 	if (err > 0) {
672 		/*
673 		 * Device was already power supplied: get it out of low power
674 		 * mode and inform caller.
675 		 */
676 		zpa2326_enable_device(indio_dev);
677 		return 1;
678 	}
679 
680 	/* Inform caller device has just been brought back to life. */
681 	return 0;
682 }
683 
684 /**
685  * zpa2326_suspend() - Schedule a power down using autosuspend feature of PM
686  *                     layer.
687  * @indio_dev: The IIO device associated with the sampling hardware.
688  *
689  * Device is switched to low power mode at first to save power even when
690  * attached regulator is a "dummy" one.
691  */
692 static void zpa2326_suspend(struct iio_dev *indio_dev)
693 {
694 	struct device *parent = indio_dev->dev.parent;
695 
696 	zpa2326_sleep(indio_dev);
697 
698 	pm_runtime_mark_last_busy(parent);
699 	pm_runtime_put_autosuspend(parent);
700 }
701 
702 static void zpa2326_init_runtime(struct device *parent)
703 {
704 	pm_runtime_get_noresume(parent);
705 	pm_runtime_set_active(parent);
706 	pm_runtime_enable(parent);
707 	pm_runtime_set_autosuspend_delay(parent, 1000);
708 	pm_runtime_use_autosuspend(parent);
709 	pm_runtime_mark_last_busy(parent);
710 	pm_runtime_put_autosuspend(parent);
711 }
712 
713 static void zpa2326_fini_runtime(struct device *parent)
714 {
715 	pm_runtime_disable(parent);
716 	pm_runtime_set_suspended(parent);
717 }
718 #else /* !CONFIG_PM */
719 static int zpa2326_resume(const struct iio_dev *indio_dev)
720 {
721 	zpa2326_enable_device(indio_dev);
722 
723 	return 0;
724 }
725 
726 static void zpa2326_suspend(struct iio_dev *indio_dev)
727 {
728 	zpa2326_sleep(indio_dev);
729 }
730 
731 #define zpa2326_init_runtime(_parent)
732 #define zpa2326_fini_runtime(_parent)
733 #endif /* !CONFIG_PM */
734 
735 /**
736  * zpa2326_handle_irq() - Process hardware interrupts.
737  * @irq:  Interrupt line the hardware uses to notify new data has arrived.
738  * @data: The IIO device associated with the sampling hardware.
739  *
740  * Timestamp buffered samples as soon as possible then schedule threaded bottom
741  * half.
742  *
743  * Return: Always successful.
744  */
745 static irqreturn_t zpa2326_handle_irq(int irq, void *data)
746 {
747 	struct iio_dev *indio_dev = data;
748 
749 	if (iio_buffer_enabled(indio_dev)) {
750 		/* Timestamping needed for buffered sampling only. */
751 		((struct zpa2326_private *)
752 		 iio_priv(indio_dev))->timestamp = iio_get_time_ns(indio_dev);
753 	}
754 
755 	return IRQ_WAKE_THREAD;
756 }
757 
758 /**
759  * zpa2326_handle_threaded_irq() - Interrupt bottom-half handler.
760  * @irq:  Interrupt line the hardware uses to notify new data has arrived.
761  * @data: The IIO device associated with the sampling hardware.
762  *
763  * Mainly ensures interrupt is caused by a real "new sample available"
764  * condition. This relies upon the ability to perform blocking / sleeping bus
765  * accesses to slave's registers. This is why zpa2326_handle_threaded_irq() is
766  * called from within a thread, i.e. not called from hard interrupt context.
767  *
768  * When device is using its own internal hardware trigger in continuous sampling
769  * mode, data are available into hardware FIFO once interrupt has occurred. All
770  * we have to do is to dispatch the trigger, which in turn will fetch data and
771  * fill IIO buffer.
772  *
773  * When not using its own internal hardware trigger, the device has been
774  * configured in one-shot mode either by an external trigger or the IIO read_raw
775  * hook. This means one of the latter is currently waiting for sampling
776  * completion, in which case we must simply wake it up.
777  *
778  * See zpa2326_trigger_handler().
779  *
780  * Return:
781  *   %IRQ_NONE - no consistent interrupt happened ;
782  *   %IRQ_HANDLED - there was new samples available.
783  */
784 static irqreturn_t zpa2326_handle_threaded_irq(int irq, void *data)
785 {
786 	struct iio_dev         *indio_dev = data;
787 	struct zpa2326_private *priv = iio_priv(indio_dev);
788 	unsigned int            val;
789 	bool                    cont;
790 	irqreturn_t             ret = IRQ_NONE;
791 
792 	/*
793 	 * Are we using our own internal trigger in triggered buffer mode, i.e.,
794 	 * currently working in continuous sampling mode ?
795 	 */
796 	cont = (iio_buffer_enabled(indio_dev) &&
797 		iio_trigger_using_own(indio_dev));
798 
799 	/*
800 	 * Device works according to a level interrupt scheme: reading interrupt
801 	 * status de-asserts interrupt line.
802 	 */
803 	priv->result = regmap_read(priv->regmap, ZPA2326_INT_SOURCE_REG, &val);
804 	if (priv->result < 0) {
805 		if (cont)
806 			return IRQ_NONE;
807 
808 		goto complete;
809 	}
810 
811 	/* Data ready is the only interrupt source we requested. */
812 	if (!(val & ZPA2326_INT_SOURCE_DATA_READY)) {
813 		/*
814 		 * Interrupt happened but no new sample available: likely caused
815 		 * by spurious interrupts, in which case, returning IRQ_NONE
816 		 * allows to benefit from the generic spurious interrupts
817 		 * handling.
818 		 */
819 		zpa2326_warn(indio_dev, "unexpected interrupt status %02x",
820 			     val);
821 
822 		if (cont)
823 			return IRQ_NONE;
824 
825 		priv->result = -ENODATA;
826 		goto complete;
827 	}
828 
829 	/* New sample available: dispatch internal trigger consumers. */
830 	iio_trigger_poll_chained(priv->trigger);
831 
832 	if (cont)
833 		/*
834 		 * Internal hardware trigger has been scheduled above : it will
835 		 * fetch data on its own.
836 		 */
837 		return IRQ_HANDLED;
838 
839 	ret = IRQ_HANDLED;
840 
841 complete:
842 	/*
843 	 * Wake up direct or externaly triggered buffer mode waiters: see
844 	 * zpa2326_sample_oneshot() and zpa2326_trigger_handler().
845 	 */
846 	complete(&priv->data_ready);
847 
848 	return ret;
849 }
850 
851 /**
852  * zpa2326_wait_oneshot_completion() - Wait for oneshot data ready interrupt.
853  * @indio_dev: The IIO device associated with the sampling hardware.
854  * @private:   Internal private state related to @indio_dev.
855  *
856  * Return: Zero when successful, a negative error code otherwise.
857  */
858 static int zpa2326_wait_oneshot_completion(const struct iio_dev   *indio_dev,
859 					   struct zpa2326_private *private)
860 {
861 	unsigned int val;
862 	long     timeout;
863 
864 	zpa2326_dbg(indio_dev, "waiting for one shot completion interrupt");
865 
866 	timeout = wait_for_completion_interruptible_timeout(
867 		&private->data_ready, ZPA2326_CONVERSION_JIFFIES);
868 	if (timeout > 0)
869 		/*
870 		 * Interrupt handler completed before timeout: return operation
871 		 * status.
872 		 */
873 		return private->result;
874 
875 	/* Clear all interrupts just to be sure. */
876 	regmap_read(private->regmap, ZPA2326_INT_SOURCE_REG, &val);
877 
878 	if (!timeout) {
879 		/* Timed out. */
880 		zpa2326_warn(indio_dev, "no one shot interrupt occurred (%ld)",
881 			     timeout);
882 		return -ETIME;
883 	}
884 
885 	zpa2326_warn(indio_dev, "wait for one shot interrupt cancelled");
886 	return -ERESTARTSYS;
887 }
888 
889 static int zpa2326_init_managed_irq(struct device          *parent,
890 				    struct iio_dev         *indio_dev,
891 				    struct zpa2326_private *private,
892 				    int                     irq)
893 {
894 	int err;
895 
896 	private->irq = irq;
897 
898 	if (irq <= 0) {
899 		/*
900 		 * Platform declared no interrupt line: device will be polled
901 		 * for data availability.
902 		 */
903 		dev_info(parent, "no interrupt found, running in polling mode");
904 		return 0;
905 	}
906 
907 	init_completion(&private->data_ready);
908 
909 	/* Request handler to be scheduled into threaded interrupt context. */
910 	err = devm_request_threaded_irq(parent, irq, zpa2326_handle_irq,
911 					zpa2326_handle_threaded_irq,
912 					IRQF_TRIGGER_RISING | IRQF_ONESHOT,
913 					dev_name(parent), indio_dev);
914 	if (err) {
915 		dev_err(parent, "failed to request interrupt %d (%d)", irq,
916 			err);
917 		return err;
918 	}
919 
920 	dev_info(parent, "using interrupt %d", irq);
921 
922 	return 0;
923 }
924 
925 /**
926  * zpa2326_poll_oneshot_completion() - Actively poll for one shot data ready.
927  * @indio_dev: The IIO device associated with the sampling hardware.
928  *
929  * Loop over registers content to detect end of sampling cycle. Used when DT
930  * declared no valid interrupt lines.
931  *
932  * Return: Zero when successful, a negative error code otherwise.
933  */
934 static int zpa2326_poll_oneshot_completion(const struct iio_dev *indio_dev)
935 {
936 	unsigned long  tmout = jiffies + ZPA2326_CONVERSION_JIFFIES;
937 	struct regmap *regs = ((struct zpa2326_private *)
938 			       iio_priv(indio_dev))->regmap;
939 	unsigned int   val;
940 	int            err;
941 
942 	zpa2326_dbg(indio_dev, "polling for one shot completion");
943 
944 	/*
945 	 * At least, 100 ms is needed for the device to complete its one-shot
946 	 * cycle.
947 	 */
948 	if (msleep_interruptible(100))
949 		return -ERESTARTSYS;
950 
951 	/* Poll for conversion completion in hardware. */
952 	while (true) {
953 		err = regmap_read(regs, ZPA2326_CTRL_REG0_REG, &val);
954 		if (err < 0)
955 			goto err;
956 
957 		if (!(val & ZPA2326_CTRL_REG0_ONE_SHOT))
958 			/* One-shot bit self clears at conversion end. */
959 			break;
960 
961 		if (time_after(jiffies, tmout)) {
962 			/* Prevent from waiting forever : let's time out. */
963 			err = -ETIME;
964 			goto err;
965 		}
966 
967 		usleep_range(10000, 20000);
968 	}
969 
970 	/*
971 	 * In oneshot mode, pressure sample availability guarantees that
972 	 * temperature conversion has also completed : just check pressure
973 	 * status bit to keep things simple.
974 	 */
975 	err = regmap_read(regs, ZPA2326_STATUS_REG, &val);
976 	if (err < 0)
977 		goto err;
978 
979 	if (!(val & ZPA2326_STATUS_P_DA)) {
980 		/* No sample available. */
981 		err = -ENODATA;
982 		goto err;
983 	}
984 
985 	return 0;
986 
987 err:
988 	zpa2326_warn(indio_dev, "failed to poll one shot completion (%d)", err);
989 
990 	return err;
991 }
992 
993 /**
994  * zpa2326_fetch_raw_sample() - Retrieve a raw sample and convert it to CPU
995  *                              endianness.
996  * @indio_dev: The IIO device associated with the sampling hardware.
997  * @type:      Type of measurement / channel to fetch from.
998  * @value:     Sample output.
999  *
1000  * Return: Zero when successful, a negative error code otherwise.
1001  */
1002 static int zpa2326_fetch_raw_sample(const struct iio_dev *indio_dev,
1003 				    enum iio_chan_type    type,
1004 				    int                  *value)
1005 {
1006 	struct regmap *regs = ((struct zpa2326_private *)
1007 			       iio_priv(indio_dev))->regmap;
1008 	int            err;
1009 	u8             v[3];
1010 
1011 	switch (type) {
1012 	case IIO_PRESSURE:
1013 		zpa2326_dbg(indio_dev, "fetching raw pressure sample");
1014 
1015 		err = regmap_bulk_read(regs, ZPA2326_PRESS_OUT_XL_REG, v, sizeof(v));
1016 		if (err) {
1017 			zpa2326_warn(indio_dev, "failed to fetch pressure (%d)",
1018 				     err);
1019 			return err;
1020 		}
1021 
1022 		*value = get_unaligned_le24(&v[0]);
1023 
1024 		return IIO_VAL_INT;
1025 
1026 	case IIO_TEMP:
1027 		zpa2326_dbg(indio_dev, "fetching raw temperature sample");
1028 
1029 		err = regmap_bulk_read(regs, ZPA2326_TEMP_OUT_L_REG, value, 2);
1030 		if (err) {
1031 			zpa2326_warn(indio_dev,
1032 				     "failed to fetch temperature (%d)", err);
1033 			return err;
1034 		}
1035 
1036 		/* Temperature is a 16 bits wide little-endian signed int. */
1037 		*value = (int)le16_to_cpup((__le16 *)value);
1038 
1039 		return IIO_VAL_INT;
1040 
1041 	default:
1042 		return -EINVAL;
1043 	}
1044 }
1045 
1046 /**
1047  * zpa2326_sample_oneshot() - Perform a complete one shot sampling cycle.
1048  * @indio_dev: The IIO device associated with the sampling hardware.
1049  * @type:      Type of measurement / channel to fetch from.
1050  * @value:     Sample output.
1051  *
1052  * Return: Zero when successful, a negative error code otherwise.
1053  */
1054 static int zpa2326_sample_oneshot(struct iio_dev     *indio_dev,
1055 				  enum iio_chan_type  type,
1056 				  int                *value)
1057 {
1058 	int                     ret;
1059 	struct zpa2326_private *priv;
1060 
1061 	ret = iio_device_claim_direct_mode(indio_dev);
1062 	if (ret)
1063 		return ret;
1064 
1065 	ret = zpa2326_resume(indio_dev);
1066 	if (ret < 0)
1067 		goto release;
1068 
1069 	priv = iio_priv(indio_dev);
1070 
1071 	if (ret > 0) {
1072 		/*
1073 		 * We were already power supplied. Just clear hardware FIFO to
1074 		 * get rid of samples acquired during previous rounds (if any).
1075 		 * Sampling operation always generates both temperature and
1076 		 * pressure samples. The latter are always enqueued into
1077 		 * hardware FIFO. This may lead to situations were pressure
1078 		 * samples still sit into FIFO when previous cycle(s) fetched
1079 		 * temperature data only.
1080 		 * Hence, we need to clear hardware FIFO content to prevent from
1081 		 * getting outdated values at the end of current cycle.
1082 		 */
1083 		if (type == IIO_PRESSURE) {
1084 			ret = zpa2326_clear_fifo(indio_dev, 0);
1085 			if (ret)
1086 				goto suspend;
1087 		}
1088 	} else {
1089 		/*
1090 		 * We have just been power supplied, i.e. device is in default
1091 		 * "out of reset" state, meaning we need to reconfigure it
1092 		 * entirely.
1093 		 */
1094 		ret = zpa2326_config_oneshot(indio_dev, priv->irq);
1095 		if (ret)
1096 			goto suspend;
1097 	}
1098 
1099 	/* Start a sampling cycle in oneshot mode. */
1100 	ret = zpa2326_start_oneshot(indio_dev);
1101 	if (ret)
1102 		goto suspend;
1103 
1104 	/* Wait for sampling cycle to complete. */
1105 	if (priv->irq > 0)
1106 		ret = zpa2326_wait_oneshot_completion(indio_dev, priv);
1107 	else
1108 		ret = zpa2326_poll_oneshot_completion(indio_dev);
1109 
1110 	if (ret)
1111 		goto suspend;
1112 
1113 	/* Retrieve raw sample value and convert it to CPU endianness. */
1114 	ret = zpa2326_fetch_raw_sample(indio_dev, type, value);
1115 
1116 suspend:
1117 	zpa2326_suspend(indio_dev);
1118 release:
1119 	iio_device_release_direct_mode(indio_dev);
1120 
1121 	return ret;
1122 }
1123 
1124 /**
1125  * zpa2326_trigger_handler() - Perform an IIO buffered sampling round in one
1126  *                             shot mode.
1127  * @irq:  The software interrupt assigned to @data
1128  * @data: The IIO poll function dispatched by external trigger our device is
1129  *        attached to.
1130  *
1131  * Bottom-half handler called by the IIO trigger to which our device is
1132  * currently attached. Allows us to synchronize this device buffered sampling
1133  * either with external events (such as timer expiration, external device sample
1134  * ready, etc...) or with its own interrupt (internal hardware trigger).
1135  *
1136  * When using an external trigger, basically run the same sequence of operations
1137  * as for zpa2326_sample_oneshot() with the following hereafter. Hardware FIFO
1138  * is not cleared since already done at buffering enable time and samples
1139  * dequeueing always retrieves the most recent value.
1140  *
1141  * Otherwise, when internal hardware trigger has dispatched us, just fetch data
1142  * from hardware FIFO.
1143  *
1144  * Fetched data will pushed unprocessed to IIO buffer since samples conversion
1145  * is delegated to userspace in buffered mode (endianness, etc...).
1146  *
1147  * Return:
1148  *   %IRQ_NONE - no consistent interrupt happened ;
1149  *   %IRQ_HANDLED - there was new samples available.
1150  */
1151 static irqreturn_t zpa2326_trigger_handler(int irq, void *data)
1152 {
1153 	struct iio_dev         *indio_dev = ((struct iio_poll_func *)
1154 					     data)->indio_dev;
1155 	struct zpa2326_private *priv = iio_priv(indio_dev);
1156 	bool                    cont;
1157 
1158 	/*
1159 	 * We have been dispatched, meaning we are in triggered buffer mode.
1160 	 * Using our own internal trigger implies we are currently in continuous
1161 	 * hardware sampling mode.
1162 	 */
1163 	cont = iio_trigger_using_own(indio_dev);
1164 
1165 	if (!cont) {
1166 		/* On demand sampling : start a one shot cycle. */
1167 		if (zpa2326_start_oneshot(indio_dev))
1168 			goto out;
1169 
1170 		/* Wait for sampling cycle to complete. */
1171 		if (priv->irq <= 0) {
1172 			/* No interrupt available: poll for completion. */
1173 			if (zpa2326_poll_oneshot_completion(indio_dev))
1174 				goto out;
1175 
1176 			/* Only timestamp sample once it is ready. */
1177 			priv->timestamp = iio_get_time_ns(indio_dev);
1178 		} else {
1179 			/* Interrupt handlers will timestamp for us. */
1180 			if (zpa2326_wait_oneshot_completion(indio_dev, priv))
1181 				goto out;
1182 		}
1183 	}
1184 
1185 	/* Enqueue to IIO buffer / userspace. */
1186 	zpa2326_fill_sample_buffer(indio_dev, priv);
1187 
1188 out:
1189 	if (!cont)
1190 		/* Don't switch to low power if sampling continuously. */
1191 		zpa2326_sleep(indio_dev);
1192 
1193 	/* Inform attached trigger we are done. */
1194 	iio_trigger_notify_done(indio_dev->trig);
1195 
1196 	return IRQ_HANDLED;
1197 }
1198 
1199 /**
1200  * zpa2326_preenable_buffer() - Prepare device for configuring triggered
1201  *                              sampling
1202  * modes.
1203  * @indio_dev: The IIO device associated with the sampling hardware.
1204  *
1205  * Basically power up device.
1206  * Called with IIO device's lock held.
1207  *
1208  * Return: Zero when successful, a negative error code otherwise.
1209  */
1210 static int zpa2326_preenable_buffer(struct iio_dev *indio_dev)
1211 {
1212 	int ret = zpa2326_resume(indio_dev);
1213 
1214 	if (ret < 0)
1215 		return ret;
1216 
1217 	/* Tell zpa2326_postenable_buffer() if we have just been powered on. */
1218 	((struct zpa2326_private *)
1219 	 iio_priv(indio_dev))->waken = iio_priv(indio_dev);
1220 
1221 	return 0;
1222 }
1223 
1224 /**
1225  * zpa2326_postenable_buffer() - Configure device for triggered sampling.
1226  * @indio_dev: The IIO device associated with the sampling hardware.
1227  *
1228  * Basically setup one-shot mode if plugging external trigger.
1229  * Otherwise, let internal trigger configure continuous sampling :
1230  * see zpa2326_set_trigger_state().
1231  *
1232  * If an error is returned, IIO layer will call our postdisable hook for us,
1233  * i.e. no need to explicitly power device off here.
1234  * Called with IIO device's lock held.
1235  *
1236  * Called with IIO device's lock held.
1237  *
1238  * Return: Zero when successful, a negative error code otherwise.
1239  */
1240 static int zpa2326_postenable_buffer(struct iio_dev *indio_dev)
1241 {
1242 	const struct zpa2326_private *priv = iio_priv(indio_dev);
1243 	int                           err;
1244 
1245 	/* Plug our own trigger event handler. */
1246 	err = iio_triggered_buffer_postenable(indio_dev);
1247 	if (err)
1248 		goto err;
1249 
1250 	if (!priv->waken) {
1251 		/*
1252 		 * We were already power supplied. Just clear hardware FIFO to
1253 		 * get rid of samples acquired during previous rounds (if any).
1254 		 */
1255 		err = zpa2326_clear_fifo(indio_dev, 0);
1256 		if (err)
1257 			goto err_buffer_predisable;
1258 	}
1259 
1260 	if (!iio_trigger_using_own(indio_dev) && priv->waken) {
1261 		/*
1262 		 * We are using an external trigger and we have just been
1263 		 * powered up: reconfigure one-shot mode.
1264 		 */
1265 		err = zpa2326_config_oneshot(indio_dev, priv->irq);
1266 		if (err)
1267 			goto err_buffer_predisable;
1268 	}
1269 
1270 	return 0;
1271 
1272 err_buffer_predisable:
1273 	iio_triggered_buffer_predisable(indio_dev);
1274 err:
1275 	zpa2326_err(indio_dev, "failed to enable buffering (%d)", err);
1276 
1277 	return err;
1278 }
1279 
1280 static int zpa2326_postdisable_buffer(struct iio_dev *indio_dev)
1281 {
1282 	zpa2326_suspend(indio_dev);
1283 
1284 	return 0;
1285 }
1286 
1287 static const struct iio_buffer_setup_ops zpa2326_buffer_setup_ops = {
1288 	.preenable   = zpa2326_preenable_buffer,
1289 	.postenable  = zpa2326_postenable_buffer,
1290 	.predisable  = iio_triggered_buffer_predisable,
1291 	.postdisable = zpa2326_postdisable_buffer
1292 };
1293 
1294 /**
1295  * zpa2326_set_trigger_state() - Start / stop continuous sampling.
1296  * @trig:  The trigger being attached to IIO device associated with the sampling
1297  *         hardware.
1298  * @state: Tell whether to start (true) or stop (false)
1299  *
1300  * Basically enable / disable hardware continuous sampling mode.
1301  *
1302  * Called with IIO device's lock held at postenable() or predisable() time.
1303  *
1304  * Return: Zero when successful, a negative error code otherwise.
1305  */
1306 static int zpa2326_set_trigger_state(struct iio_trigger *trig, bool state)
1307 {
1308 	const struct iio_dev         *indio_dev = dev_get_drvdata(
1309 							trig->dev.parent);
1310 	const struct zpa2326_private *priv = iio_priv(indio_dev);
1311 	int                           err;
1312 
1313 	if (!state) {
1314 		/*
1315 		 * Switch trigger off : in case of failure, interrupt is left
1316 		 * disabled in order to prevent handler from accessing released
1317 		 * resources.
1318 		 */
1319 		unsigned int val;
1320 
1321 		/*
1322 		 * As device is working in continuous mode, handlers may be
1323 		 * accessing resources we are currently freeing...
1324 		 * Prevent this by disabling interrupt handlers and ensure
1325 		 * the device will generate no more interrupts unless explicitly
1326 		 * required to, i.e. by restoring back to default one shot mode.
1327 		 */
1328 		disable_irq(priv->irq);
1329 
1330 		/*
1331 		 * Disable continuous sampling mode to restore settings for
1332 		 * one shot / direct sampling operations.
1333 		 */
1334 		err = regmap_write(priv->regmap, ZPA2326_CTRL_REG3_REG,
1335 				   zpa2326_highest_frequency()->odr);
1336 		if (err)
1337 			return err;
1338 
1339 		/*
1340 		 * Now that device won't generate interrupts on its own,
1341 		 * acknowledge any currently active interrupts (may happen on
1342 		 * rare occasions while stopping continuous mode).
1343 		 */
1344 		err = regmap_read(priv->regmap, ZPA2326_INT_SOURCE_REG, &val);
1345 		if (err < 0)
1346 			return err;
1347 
1348 		/*
1349 		 * Re-enable interrupts only if we can guarantee the device will
1350 		 * generate no more interrupts to prevent handlers from
1351 		 * accessing released resources.
1352 		 */
1353 		enable_irq(priv->irq);
1354 
1355 		zpa2326_dbg(indio_dev, "continuous mode stopped");
1356 	} else {
1357 		/*
1358 		 * Switch trigger on : start continuous sampling at required
1359 		 * frequency.
1360 		 */
1361 
1362 		if (priv->waken) {
1363 			/* Enable interrupt if getting out of reset. */
1364 			err = regmap_write(priv->regmap, ZPA2326_CTRL_REG1_REG,
1365 					   (u8)
1366 					   ~ZPA2326_CTRL_REG1_MASK_DATA_READY);
1367 			if (err)
1368 				return err;
1369 		}
1370 
1371 		/* Enable continuous sampling at specified frequency. */
1372 		err = regmap_write(priv->regmap, ZPA2326_CTRL_REG3_REG,
1373 				   ZPA2326_CTRL_REG3_ENABLE_MEAS |
1374 				   priv->frequency->odr);
1375 		if (err)
1376 			return err;
1377 
1378 		zpa2326_dbg(indio_dev, "continuous mode setup @%dHz",
1379 			    priv->frequency->hz);
1380 	}
1381 
1382 	return 0;
1383 }
1384 
1385 static const struct iio_trigger_ops zpa2326_trigger_ops = {
1386 	.set_trigger_state = zpa2326_set_trigger_state,
1387 };
1388 
1389 /**
1390  * zpa2326_init_trigger() - Create an interrupt driven / hardware trigger
1391  *                          allowing to notify external devices a new sample is
1392  *                          ready.
1393  * @parent:    Hardware sampling device @indio_dev is a child of.
1394  * @indio_dev: The IIO device associated with the sampling hardware.
1395  * @private:   Internal private state related to @indio_dev.
1396  * @irq:       Optional interrupt line the hardware uses to notify new data
1397  *             samples are ready. Negative or zero values indicate no interrupts
1398  *             are available, meaning polling is required.
1399  *
1400  * Only relevant when DT declares a valid interrupt line.
1401  *
1402  * Return: Zero when successful, a negative error code otherwise.
1403  */
1404 static int zpa2326_init_managed_trigger(struct device          *parent,
1405 					struct iio_dev         *indio_dev,
1406 					struct zpa2326_private *private,
1407 					int                     irq)
1408 {
1409 	struct iio_trigger *trigger;
1410 	int                 ret;
1411 
1412 	if (irq <= 0)
1413 		return 0;
1414 
1415 	trigger = devm_iio_trigger_alloc(parent, "%s-dev%d",
1416 					 indio_dev->name, indio_dev->id);
1417 	if (!trigger)
1418 		return -ENOMEM;
1419 
1420 	/* Basic setup. */
1421 	trigger->dev.parent = parent;
1422 	trigger->ops = &zpa2326_trigger_ops;
1423 
1424 	private->trigger = trigger;
1425 
1426 	/* Register to triggers space. */
1427 	ret = devm_iio_trigger_register(parent, trigger);
1428 	if (ret)
1429 		dev_err(parent, "failed to register hardware trigger (%d)",
1430 			ret);
1431 
1432 	return ret;
1433 }
1434 
1435 static int zpa2326_get_frequency(const struct iio_dev *indio_dev)
1436 {
1437 	return ((struct zpa2326_private *)iio_priv(indio_dev))->frequency->hz;
1438 }
1439 
1440 static int zpa2326_set_frequency(struct iio_dev *indio_dev, int hz)
1441 {
1442 	struct zpa2326_private *priv = iio_priv(indio_dev);
1443 	int                     freq;
1444 	int                     err;
1445 
1446 	/* Check if requested frequency is supported. */
1447 	for (freq = 0; freq < ARRAY_SIZE(zpa2326_sampling_frequencies); freq++)
1448 		if (zpa2326_sampling_frequencies[freq].hz == hz)
1449 			break;
1450 	if (freq == ARRAY_SIZE(zpa2326_sampling_frequencies))
1451 		return -EINVAL;
1452 
1453 	/* Don't allow changing frequency if buffered sampling is ongoing. */
1454 	err = iio_device_claim_direct_mode(indio_dev);
1455 	if (err)
1456 		return err;
1457 
1458 	priv->frequency = &zpa2326_sampling_frequencies[freq];
1459 
1460 	iio_device_release_direct_mode(indio_dev);
1461 
1462 	return 0;
1463 }
1464 
1465 /* Expose supported hardware sampling frequencies (Hz) through sysfs. */
1466 static IIO_CONST_ATTR_SAMP_FREQ_AVAIL("1 5 11 23");
1467 
1468 static struct attribute *zpa2326_attributes[] = {
1469 	&iio_const_attr_sampling_frequency_available.dev_attr.attr,
1470 	NULL
1471 };
1472 
1473 static const struct attribute_group zpa2326_attribute_group = {
1474 	.attrs = zpa2326_attributes,
1475 };
1476 
1477 static int zpa2326_read_raw(struct iio_dev             *indio_dev,
1478 			    struct iio_chan_spec const *chan,
1479 			    int                        *val,
1480 			    int                        *val2,
1481 			    long                        mask)
1482 {
1483 	switch (mask) {
1484 	case IIO_CHAN_INFO_RAW:
1485 		return zpa2326_sample_oneshot(indio_dev, chan->type, val);
1486 
1487 	case IIO_CHAN_INFO_SCALE:
1488 		switch (chan->type) {
1489 		case IIO_PRESSURE:
1490 			/*
1491 			 * Pressure resolution is 1/64 Pascal. Scale to kPascal
1492 			 * as required by IIO ABI.
1493 			 */
1494 			*val = 1;
1495 			*val2 = 64000;
1496 			return IIO_VAL_FRACTIONAL;
1497 
1498 		case IIO_TEMP:
1499 			/*
1500 			 * Temperature follows the equation:
1501 			 *     Temp[degC] = Tempcode * 0.00649 - 176.83
1502 			 * where:
1503 			 *     Tempcode is composed the raw sampled 16 bits.
1504 			 *
1505 			 * Hence, to produce a temperature in milli-degrees
1506 			 * Celsius according to IIO ABI, we need to apply the
1507 			 * following equation to raw samples:
1508 			 *     Temp[milli degC] = (Tempcode + Offset) * Scale
1509 			 * where:
1510 			 *     Offset = -176.83 / 0.00649
1511 			 *     Scale = 0.00649 * 1000
1512 			 */
1513 			*val = 6;
1514 			*val2 = 490000;
1515 			return IIO_VAL_INT_PLUS_MICRO;
1516 
1517 		default:
1518 			return -EINVAL;
1519 		}
1520 
1521 	case IIO_CHAN_INFO_OFFSET:
1522 		switch (chan->type) {
1523 		case IIO_TEMP:
1524 			*val = -17683000;
1525 			*val2 = 649;
1526 			return IIO_VAL_FRACTIONAL;
1527 
1528 		default:
1529 			return -EINVAL;
1530 		}
1531 
1532 	case IIO_CHAN_INFO_SAMP_FREQ:
1533 		*val = zpa2326_get_frequency(indio_dev);
1534 		return IIO_VAL_INT;
1535 
1536 	default:
1537 		return -EINVAL;
1538 	}
1539 }
1540 
1541 static int zpa2326_write_raw(struct iio_dev             *indio_dev,
1542 			     const struct iio_chan_spec *chan,
1543 			     int                         val,
1544 			     int                         val2,
1545 			     long                        mask)
1546 {
1547 	if ((mask != IIO_CHAN_INFO_SAMP_FREQ) || val2)
1548 		return -EINVAL;
1549 
1550 	return zpa2326_set_frequency(indio_dev, val);
1551 }
1552 
1553 static const struct iio_chan_spec zpa2326_channels[] = {
1554 	[0] = {
1555 		.type                    = IIO_PRESSURE,
1556 		.scan_index              = 0,
1557 		.scan_type               = {
1558 			.sign                   = 'u',
1559 			.realbits               = 24,
1560 			.storagebits            = 32,
1561 			.endianness             = IIO_LE,
1562 		},
1563 		.info_mask_separate      = BIT(IIO_CHAN_INFO_RAW) |
1564 					   BIT(IIO_CHAN_INFO_SCALE),
1565 		.info_mask_shared_by_all = BIT(IIO_CHAN_INFO_SAMP_FREQ),
1566 	},
1567 	[1] = {
1568 		.type                    = IIO_TEMP,
1569 		.scan_index              = 1,
1570 		.scan_type               = {
1571 			.sign                   = 's',
1572 			.realbits               = 16,
1573 			.storagebits            = 16,
1574 			.endianness             = IIO_LE,
1575 		},
1576 		.info_mask_separate      = BIT(IIO_CHAN_INFO_RAW) |
1577 					   BIT(IIO_CHAN_INFO_SCALE) |
1578 					   BIT(IIO_CHAN_INFO_OFFSET),
1579 		.info_mask_shared_by_all = BIT(IIO_CHAN_INFO_SAMP_FREQ),
1580 	},
1581 	[2] = IIO_CHAN_SOFT_TIMESTAMP(2),
1582 };
1583 
1584 static const struct iio_info zpa2326_info = {
1585 	.attrs         = &zpa2326_attribute_group,
1586 	.read_raw      = zpa2326_read_raw,
1587 	.write_raw     = zpa2326_write_raw,
1588 };
1589 
1590 static struct iio_dev *zpa2326_create_managed_iiodev(struct device *device,
1591 						     const char    *name,
1592 						     struct regmap *regmap)
1593 {
1594 	struct iio_dev *indio_dev;
1595 
1596 	/* Allocate space to hold IIO device internal state. */
1597 	indio_dev = devm_iio_device_alloc(device,
1598 					  sizeof(struct zpa2326_private));
1599 	if (!indio_dev)
1600 		return NULL;
1601 
1602 	/* Setup for userspace synchronous on demand sampling. */
1603 	indio_dev->modes = INDIO_DIRECT_MODE;
1604 	indio_dev->dev.parent = device;
1605 	indio_dev->channels = zpa2326_channels;
1606 	indio_dev->num_channels = ARRAY_SIZE(zpa2326_channels);
1607 	indio_dev->name = name;
1608 	indio_dev->info = &zpa2326_info;
1609 
1610 	return indio_dev;
1611 }
1612 
1613 int zpa2326_probe(struct device *parent,
1614 		  const char    *name,
1615 		  int            irq,
1616 		  unsigned int   hwid,
1617 		  struct regmap *regmap)
1618 {
1619 	struct iio_dev         *indio_dev;
1620 	struct zpa2326_private *priv;
1621 	int                     err;
1622 	unsigned int            id;
1623 
1624 	indio_dev = zpa2326_create_managed_iiodev(parent, name, regmap);
1625 	if (!indio_dev)
1626 		return -ENOMEM;
1627 
1628 	priv = iio_priv(indio_dev);
1629 
1630 	priv->vref = devm_regulator_get(parent, "vref");
1631 	if (IS_ERR(priv->vref))
1632 		return PTR_ERR(priv->vref);
1633 
1634 	priv->vdd = devm_regulator_get(parent, "vdd");
1635 	if (IS_ERR(priv->vdd))
1636 		return PTR_ERR(priv->vdd);
1637 
1638 	/* Set default hardware sampling frequency to highest rate supported. */
1639 	priv->frequency = zpa2326_highest_frequency();
1640 
1641 	/*
1642 	 * Plug device's underlying bus abstraction : this MUST be set before
1643 	 * registering interrupt handlers since an interrupt might happen if
1644 	 * power up sequence is not properly applied.
1645 	 */
1646 	priv->regmap = regmap;
1647 
1648 	err = devm_iio_triggered_buffer_setup(parent, indio_dev, NULL,
1649 					      zpa2326_trigger_handler,
1650 					      &zpa2326_buffer_setup_ops);
1651 	if (err)
1652 		return err;
1653 
1654 	err = zpa2326_init_managed_trigger(parent, indio_dev, priv, irq);
1655 	if (err)
1656 		return err;
1657 
1658 	err = zpa2326_init_managed_irq(parent, indio_dev, priv, irq);
1659 	if (err)
1660 		return err;
1661 
1662 	/* Power up to check device ID and perform initial hardware setup. */
1663 	err = zpa2326_power_on(indio_dev, priv);
1664 	if (err)
1665 		return err;
1666 
1667 	/* Read id register to check we are talking to the right slave. */
1668 	err = regmap_read(regmap, ZPA2326_DEVICE_ID_REG, &id);
1669 	if (err)
1670 		goto sleep;
1671 
1672 	if (id != hwid) {
1673 		dev_err(parent, "found device with unexpected id %02x", id);
1674 		err = -ENODEV;
1675 		goto sleep;
1676 	}
1677 
1678 	err = zpa2326_config_oneshot(indio_dev, irq);
1679 	if (err)
1680 		goto sleep;
1681 
1682 	/* Setup done : go sleeping. Device will be awaken upon user request. */
1683 	err = zpa2326_sleep(indio_dev);
1684 	if (err)
1685 		goto poweroff;
1686 
1687 	dev_set_drvdata(parent, indio_dev);
1688 
1689 	zpa2326_init_runtime(parent);
1690 
1691 	err = iio_device_register(indio_dev);
1692 	if (err) {
1693 		zpa2326_fini_runtime(parent);
1694 		goto poweroff;
1695 	}
1696 
1697 	return 0;
1698 
1699 sleep:
1700 	/* Put to sleep just in case power regulators are "dummy" ones. */
1701 	zpa2326_sleep(indio_dev);
1702 poweroff:
1703 	zpa2326_power_off(indio_dev, priv);
1704 
1705 	return err;
1706 }
1707 EXPORT_SYMBOL_GPL(zpa2326_probe);
1708 
1709 void zpa2326_remove(const struct device *parent)
1710 {
1711 	struct iio_dev *indio_dev = dev_get_drvdata(parent);
1712 
1713 	iio_device_unregister(indio_dev);
1714 	zpa2326_fini_runtime(indio_dev->dev.parent);
1715 	zpa2326_sleep(indio_dev);
1716 	zpa2326_power_off(indio_dev, iio_priv(indio_dev));
1717 }
1718 EXPORT_SYMBOL_GPL(zpa2326_remove);
1719 
1720 MODULE_AUTHOR("Gregor Boirie <gregor.boirie@parrot.com>");
1721 MODULE_DESCRIPTION("Core driver for Murata ZPA2326 pressure sensor");
1722 MODULE_LICENSE("GPL v2");
1723