0

我需要通过 USB 将数据从 AT32 UC3 微控制器 ADC 传输到 PC。我检查了填充缓冲区的 MCU 中 ADC 和 PDCA 的工作,它工作得很好,没有数据丢失。但是当我从 USB 发送数据时,一些字节会丢失。我不知道,为什么会这样。我编写简单的程序将一些数据从 MCU 发送到 PC 并检查这些数据。在 MCU 中,我用 0,1,2.. 到 255 的数字连续填充缓冲区,然后通过 USB 将缓冲区发送到 PC,并检查该缓冲区的内容。因此,有些数字与原始数据不同。一些字节丢失。我在 CDC 设备模式下使用 EVK1100。

AVR 代码:

#include <asf.h>
#include "conf_usb.h"

#define BUF_SIZE 32

int main(void){

   irq_initialize_vectors();
   cpu_irq_enable();

   sysclk_init();

   udc_start();
   udc_attach();

   char pbuf[BUF_SIZE];
   for(int i=0; i<BUF_SIZE; i++){
       pbuf[i] = (char)i;
   }

   while (true) {
       udi_cdc_write_buf(pbuf, BUF_SIZE);
   }
}

C#代码:

   using System;
   using System.Collections.Generic;
   using System.Linq;
   using System.Text;
   using System.IO.Ports;

  namespace acc_tester
  {
    class Program
    {
        static void Main(string[] args) {
            Console.WriteLine("Start");
            int N = 32;

            SerialPort serialPort = new SerialPort();

            serialPort.PortName = "COM6";

            serialPort.Open();

            byte[] buf = new byte [N];

            for (int n = 0; n < 10000; n++) {
                serialPort.Read(buf, 0, N);

                for (int i = 0; i < N; i++) {
                    if (buf[i] != (byte)(buf[0] + i)) {
                        Console.WriteLine("Data Lost. n =" + n.ToString() + " i=" + i.ToString());
                        return;
                    }
                }
            }

            serialPort.Close();
            Console.WriteLine("Stop");
            return;
        }
    }
}

我的 C# 程序的输出是:

数据丢失。n =257 我=31

数据丢失。n=385 我=31

数据丢失。n =641 我=31

数据丢失。n =257 i=31 等等。

请帮我解决问题。

4

1 回答 1

0

SerialPort.Read最多 读取(32) 个字节,这取决于输入缓冲区 ( docs )N中有多少字节。返回读取的字节数。Read

要读取长度的数据块,N您应该自己缓冲数据并仅在达到N字节时检查内容。例如。

while (true) {
    var bytesInBuffer = 0;
    bytesInBuffer += serialPort.Read(buf, bytesInBuffer, N - bytesInBuffer);
    if (bytesInBuffer == N) {
        // Here the buffer is ready
        bytesInBuffer = 0; // reset the counter
    }
}
于 2016-08-20T12:29:14.050 回答