74 lines
2.3 KiB
C
74 lines
2.3 KiB
C
/* USB Example
|
|
|
|
This example code is in the Public Domain (or CC0 licensed, at your option.)
|
|
|
|
Unless required by applicable law or agreed to in writing, this
|
|
software is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR
|
|
CONDITIONS OF ANY KIND, either express or implied.
|
|
*/
|
|
|
|
// DESCRIPTION:
|
|
// This example contains minimal code to make ESP32-S2 based device
|
|
// recognizable by USB-host devices as a USB Serial Device.
|
|
|
|
#include <stdint.h>
|
|
#include "esp_log.h"
|
|
#include "freertos/FreeRTOS.h"
|
|
#include "freertos/task.h"
|
|
#include "tinyusb.h"
|
|
#include "tusb_cdc_acm.h"
|
|
#include "sdkconfig.h"
|
|
|
|
static const char *TAG = "example";
|
|
static uint8_t buf[CONFIG_TINYUSB_CDC_RX_BUFSIZE + 1];
|
|
|
|
void tinyusb_cdc_rx_callback(int itf, cdcacm_event_t *event)
|
|
{
|
|
/* initialization */
|
|
size_t rx_size = 0;
|
|
|
|
/* read */
|
|
esp_err_t ret = tinyusb_cdcacm_read(itf, buf, CONFIG_TINYUSB_CDC_RX_BUFSIZE, &rx_size);
|
|
if (ret == ESP_OK) {
|
|
buf[rx_size] = '\0';
|
|
ESP_LOGI(TAG, "Got data (%d bytes): %s", rx_size, buf);
|
|
} else {
|
|
ESP_LOGE(TAG, "Read error");
|
|
}
|
|
|
|
/* write back */
|
|
tinyusb_cdcacm_write_queue(itf, buf, rx_size);
|
|
tinyusb_cdcacm_write_flush(itf, 0);
|
|
}
|
|
|
|
void tinyusb_cdc_line_state_changed_callback(int itf, cdcacm_event_t *event)
|
|
{
|
|
int dtr = event->line_state_changed_data.dtr;
|
|
int rst = event->line_state_changed_data.rts;
|
|
ESP_LOGI(TAG, "Line state changed! dtr:%d, rst:%d", dtr, rst);
|
|
}
|
|
|
|
void app_main(void)
|
|
{
|
|
ESP_LOGI(TAG, "USB initialization");
|
|
tinyusb_config_t tusb_cfg = {}; // the configuration using default values
|
|
ESP_ERROR_CHECK(tinyusb_driver_install(&tusb_cfg));
|
|
|
|
tinyusb_config_cdcacm_t amc_cfg = {
|
|
.usb_dev = TINYUSB_USBDEV_0,
|
|
.cdc_port = TINYUSB_CDC_ACM_0,
|
|
.rx_unread_buf_sz = 64,
|
|
.callback_rx = &tinyusb_cdc_rx_callback, // the first way to register a callback
|
|
.callback_rx_wanted_char = NULL,
|
|
.callback_line_state_changed = NULL,
|
|
.callback_line_coding_changed = NULL
|
|
};
|
|
|
|
ESP_ERROR_CHECK(tusb_cdc_acm_init(&amc_cfg));
|
|
/* the second way to register a callback */
|
|
ESP_ERROR_CHECK(tinyusb_cdcacm_register_callback(
|
|
TINYUSB_CDC_ACM_0,
|
|
CDC_EVENT_LINE_STATE_CHANGED,
|
|
&tinyusb_cdc_line_state_changed_callback));
|
|
ESP_LOGI(TAG, "USB initialization DONE");
|
|
} |