uart_pipe.c 2.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108
  1. /** @file
  2. * @brief Pipe UART driver
  3. *
  4. * A pipe UART driver allowing application to handle all aspects of received
  5. * protocol data.
  6. */
  7. /*
  8. * Copyright (c) 2015 Intel Corporation
  9. *
  10. * SPDX-License-Identifier: Apache-2.0
  11. */
  12. #include <logging/log.h>
  13. LOG_MODULE_REGISTER(uart_pipe, CONFIG_UART_CONSOLE_LOG_LEVEL);
  14. #include <kernel.h>
  15. #include <drivers/uart.h>
  16. #include <drivers/console/uart_pipe.h>
  17. #include <sys/printk.h>
  18. static const struct device *uart_pipe_dev;
  19. static uint8_t *recv_buf;
  20. static size_t recv_buf_len;
  21. static uart_pipe_recv_cb app_cb;
  22. static size_t recv_off;
  23. static void uart_pipe_rx(const struct device *dev)
  24. {
  25. /* As per the API, the interrupt may be an edge so keep
  26. * reading from the FIFO until it's empty.
  27. */
  28. for (;;) {
  29. int avail = recv_buf_len - recv_off;
  30. int got;
  31. got = uart_fifo_read(uart_pipe_dev, recv_buf + recv_off, avail);
  32. if (got <= 0) {
  33. break;
  34. }
  35. LOG_HEXDUMP_DBG(recv_buf + recv_off, got, "RX");
  36. /*
  37. * Call application callback with received data. Application
  38. * may provide new buffer or alter data offset.
  39. */
  40. recv_off += got;
  41. recv_buf = app_cb(recv_buf, &recv_off);
  42. }
  43. }
  44. static void uart_pipe_isr(const struct device *dev, void *user_data)
  45. {
  46. ARG_UNUSED(user_data);
  47. uart_irq_update(dev);
  48. if (uart_irq_is_pending(dev)) {
  49. if (uart_irq_rx_ready(dev)) {
  50. uart_pipe_rx(dev);
  51. }
  52. }
  53. }
  54. int uart_pipe_send(const uint8_t *data, int len)
  55. {
  56. LOG_HEXDUMP_DBG(data, len, "TX");
  57. while (len--) {
  58. uart_poll_out(uart_pipe_dev, *data++);
  59. }
  60. return 0;
  61. }
  62. static void uart_pipe_setup(const struct device *uart)
  63. {
  64. uint8_t c;
  65. uart_irq_rx_disable(uart);
  66. uart_irq_tx_disable(uart);
  67. /* Drain the fifo */
  68. while (uart_fifo_read(uart, &c, 1)) {
  69. continue;
  70. }
  71. uart_irq_callback_set(uart, uart_pipe_isr);
  72. uart_irq_rx_enable(uart);
  73. }
  74. void uart_pipe_register(uint8_t *buf, size_t len, uart_pipe_recv_cb cb)
  75. {
  76. recv_buf = buf;
  77. recv_buf_len = len;
  78. app_cb = cb;
  79. uart_pipe_dev = device_get_binding(CONFIG_UART_PIPE_ON_DEV_NAME);
  80. if (uart_pipe_dev != NULL) {
  81. uart_pipe_setup(uart_pipe_dev);
  82. }
  83. }