Форум программистов, компьютерный форум, киберфорум
Микроконтроллеры
Войти
Регистрация
Восстановить пароль
Карта форума Темы раздела Блоги Сообщество Поиск Заказать работу  
 
Рейтинг 4.67/9: Рейтинг темы: голосов - 9, средняя оценка - 4.67
5 / 5 / 1
Регистрация: 09.02.2011
Сообщений: 189
1

HID device в MikroC

06.06.2015, 15:11. Показов 1765. Ответов 5
Метки нет (Все метки)

Author24 — интернет-сервис помощи студентам
Доброго всем времени суток.

В примерах для USB HID, компилятора MikroC, буферы чтения и записи имеют по 64 байта:
C++
1
2
unsigned char readbuff[64] absolute 0x500;   // Buffers should be in USB RAM, please consult datasheet
unsigned char writebuff[64] absolute 0x540;
Стоит ли менять эти значения? Если да, то как узнать сколько байтов передается?

Заранее спасибо.
0
Programming
Эксперт
94731 / 64177 / 26122
Регистрация: 12.04.2006
Сообщений: 116,782
06.06.2015, 15:11
Ответы с готовыми решениями:

Generic Usb Hid Device На Stm32F4Discovery
Привет всем . Озаботился тут созданием USB HID устройства на данном проце. Находил с интернете...

Generic USB HID Device на F103C8T6
Привет всем. Есть примитивная, минимальная плата на F103C8T6 - украинский аналог вот этого...

USB Composite HID device + HAL + STM32CUBEMX.РЕШЕНО!
Решил я тут поучиться в программировании USB divice на плате STM32F4-discovery. Просмотрел кучу...

Pywinusb.hid.helpers.HIDError: Error 1 when trying to read from HID device: Неверная функция
Здравствуйте! Возникла крайне непонятная проблемка. Я новичок в Python, но потребовалось получить...

5
487 / 333 / 33
Регистрация: 15.08.2011
Сообщений: 1,074
07.06.2015, 00:01 2
Цитата Сообщение от nepridymal Посмотреть сообщение
Стоит ли менять эти значения?
А в какую сторону вы хотите менять?
Если в сторону увеличения, то вряд ли нужно. Потому что максимальный размер пакета - 64 байта.
А если уменьшать, то зависит какого размера пакеты вам нужны.
1
5 / 5 / 1
Регистрация: 09.02.2011
Сообщений: 189
07.06.2015, 00:42  [ТС] 3
Думаю уменшать. Если взять для примера геймпад с тремя кнопками и джойстиком то как вычислить минимальное количество байт?
0
Эксперт .NET
11068 / 6985 / 1571
Регистрация: 25.05.2015
Сообщений: 21,069
Записей в блоге: 14
07.06.2015, 01:03 4
Зачем их уменьшать? В контроллере оперативной памяти 100 байт? Помимо hid report есть ещё контрольные пакеты. Отдельный ли буфер для них?..
0
487 / 333 / 33
Регистрация: 15.08.2011
Сообщений: 1,074
07.06.2015, 10:17 5
Цитата Сообщение от nepridymal Посмотреть сообщение
Если взять для примера геймпад с тремя кнопками и джойстиком то как вычислить минимальное количество байт?
Да никак его не вычислишь. Там же в коде сказано: consult datasheet.
Можно еще исходники смотреть что там отсылается. Или когда напишете программу обмена, менять размер. Если появятся какие глюки - значит нельзя.
Но я бы этот размер не трогал. Такие эксперименты до добра не доводят.
1
5 / 5 / 1
Регистрация: 09.02.2011
Сообщений: 189
12.06.2015, 01:42  [ТС] 6
Спасибо за ответы.
Для того чтоб понять лучше USB HID решил сколотить простой джойстик или геймпад (какая разница с точки зрения дескриптора так и не понял).
Для начала хочу посмотреть как это всё работает сделав простую USB кнопку, тоесть джойстик или геймпад с одной кнопкой.
С дескриптором я разобрался, но вот с программой для передачи данных у меня проблемы.
Девайс орпедиляется но кнопка не реагирует на нажатие.

Ниже выложу код и дескриптор.
Может кто подскажет.
Спасибо

Сам код:
C++
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
unsigned char readbuff[64] absolute 0x500;
unsigned char writebuff[64] absolute 0x540;
 
void interrupt ()
{
        USB_Interrupt_Proc();
}
 
void main()
{
           ADCON1 = 0x0F;                         // Configure all ports with analog function as digital
           CMCON  = 7;                            // Disable comparators
 
        PORTB = 0;
        TRISB = 0b00000001;
 
        HID_Enable(&readbuff,&writebuff);       // Enable HID communication
 
        while (1)
        {
                if(PORTB.RB0)
                { buttons = 0b00000001;}
 
                else
                {buttons =0b00000000;}
 
                writebuff[0]=buttons;
 
                 while(!HID_Write(writebuff,1));
 
         }
}
Дескриптор:
C++
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
const unsigned int USB_VENDOR_ID = 0x1234;
const unsigned int USB_PRODUCT_ID = 0x0001;
const char USB_SELF_POWER = 0x80;            // Self powered 0xC0,  0x80 bus powered
const char USB_MAX_POWER = 50;               // Bus power required in units of 2 mA
const char HID_INPUT_REPORT_BYTES = 64;
const char HID_OUTPUT_REPORT_BYTES = 64;
const char USB_TRANSFER_TYPE = 0x03;         //0x03 Interrupt
const char EP_IN_INTERVAL = 1;
const char EP_OUT_INTERVAL = 1;
 
const char USB_INTERRUPT = 1;
const char USB_HID_EP = 1;
const char USB_HID_RPT_SIZE = 29;
 
/* Device Descriptor */
const struct {
    char bLength;               // bLength         - Descriptor size in bytes (12h)
    char bDescriptorType;       // bDescriptorType - The constant DEVICE (01h)
    unsigned int bcdUSB;        // bcdUSB          - USB specification release number (BCD)
    char bDeviceClass;          // bDeviceClass    - Class Code
    char bDeviceSubClass;       // bDeviceSubClass - Subclass code
    char bDeviceProtocol;       // bDeviceProtocol - Protocol code
    char bMaxPacketSize0;       // bMaxPacketSize0 - Maximum packet size for endpoint 0
    unsigned int idVendor;      // idVendor        - Vendor ID
    unsigned int idProduct;     // idProduct       - Product ID
    unsigned int bcdDevice;     // bcdDevice       - Device release number (BCD)
    char iManufacturer;         // iManufacturer   - Index of string descriptor for the manufacturer
    char iProduct;              // iProduct        - Index of string descriptor for the product.
    char iSerialNumber;         // iSerialNumber   - Index of string descriptor for the serial number.
    char bNumConfigurations;    // bNumConfigurations - Number of possible configurations
} 
device_dsc = {
      0x12,                   // bLength
      0x01,                   // bDescriptorType
      0x0200,                 // bcdUSB
      0x00,                   // bDeviceClass
      0x00,                   // bDeviceSubClass
      0x00,                   // bDeviceProtocol
      8,                      // bMaxPacketSize0
      USB_VENDOR_ID,          // idVendor
      USB_PRODUCT_ID,         // idProduct
      0x0001,                 // bcdDevice
      0x01,                   // iManufacturer
      0x02,                   // iProduct
      0x00,                   // iSerialNumber
      0x01                    // bNumConfigurations
  };
 
/* Configuration 1 Descriptor */
const char configDescriptor1[]= {
    // Configuration Descriptor
    0x09,                   // bLength             - Descriptor size in bytes
    0x02,                   // bDescriptorType     - The constant CONFIGURATION (02h)
    0x29,0x00,              // wTotalLength        - The number of bytes in the configuration descriptor and all of its subordinate descriptors
    1,                      // bNumInterfaces      - Number of interfaces in the configuration
    1,                      // bConfigurationValue - Identifier for Set Configuration and Get Configuration requests
    0,                      // iConfiguration      - Index of string descriptor for the configuration
    USB_SELF_POWER,         // bmAttributes        - Self/bus power and remote wakeup settings
    USB_MAX_POWER,          // bMaxPower           - Bus power required in units of 2 mA
 
    // Interface Descriptor
    0x09,                   // bLength - Descriptor size in bytes (09h)
    0x04,                   // bDescriptorType - The constant Interface (04h)
    0,                      // bInterfaceNumber - Number identifying this interface
    0,                      // bAlternateSetting - A number that identifies a descriptor with alternate settings for this bInterfaceNumber.
    2,                      // bNumEndpoint - Number of endpoints supported not counting endpoint zero
    0x03,                   // bInterfaceClass - Class code
    0,                      // bInterfaceSubclass - Subclass code
    0,                      // bInterfaceProtocol - Protocol code
    0,                      // iInterface - Interface string index
 
    // HID Class-Specific Descriptor
    0x09,                   // bLength - Descriptor size in bytes.
    0x21,                   // bDescriptorType - This descriptor's type: 21h to indicate the HID class.
    0x01,0x01,              // bcdHID - HID specification release number (BCD).
    0x00,                   // bCountryCode - Numeric expression identifying the country for localized hardware (BCD) or 00h.
    1,                      // bNumDescriptors - Number of subordinate report and physical descriptors.
    0x22,                   // bDescriptorType - The type of a class-specific descriptor that follows
    USB_HID_RPT_SIZE,0x00,  // wDescriptorLength - Total length of the descriptor identified above.
 
    // Endpoint Descriptor
    0x07,                   // bLength - Descriptor size in bytes (07h)
    0x05,                   // bDescriptorType - The constant Endpoint (05h)
    USB_HID_EP | 0x80,      // bEndpointAddress - Endpoint number and direction
    USB_TRANSFER_TYPE,      // bmAttributes - Transfer type and supplementary information    
    0x40,0x00,              // wMaxPacketSize - Maximum packet size supported
    EP_IN_INTERVAL,         // bInterval - Service interval or NAK rate
 
    // Endpoint Descriptor
    0x07,                   // bLength - Descriptor size in bytes (07h)
    0x05,                   // bDescriptorType - The constant Endpoint (05h)
    USB_HID_EP,             // bEndpointAddress - Endpoint number and direction
    USB_TRANSFER_TYPE,      // bmAttributes - Transfer type and supplementary information
    0x40,0x00,              // wMaxPacketSize - Maximum packet size supported    
    EP_OUT_INTERVAL         // bInterval - Service interval or NAK rate
};
 
const struct {
  char report[USB_HID_RPT_SIZE];
}hid_rpt_desc =
  {
     {    0x05, 0x01,                    // USAGE_PAGE (Generic Desktop)
    0x09, 0x04,                    // USAGE (Joystick)
    0xa1, 0x01,                    // COLLECTION (Application)
    0x05, 0x09,                    //   USAGE_PAGE (Button)
    0x19, 0x01,                    //   USAGE_MINIMUM (Button 1)
    0x29, 0x01,                    //   USAGE_MAXIMUM (Button 1)
    0x15, 0x00,                    //   LOGICAL_MINIMUM (0)
    0x25, 0x01,                    //   LOGICAL_MAXIMUM (1)
    0x95, 0x01,                    //   REPORT_COUNT (1)
    0x75, 0x01,                    //   REPORT_SIZE (1)
    0x81, 0x02,                    //   INPUT (Data,Var,Abs)
    0x95, 0x01,                    //   REPORT_COUNT (1)
    0x75, 0x07,                    //   REPORT_SIZE (7)
    0x81, 0x03,                    //   INPUT (Cnst,Var,Abs)
    0xc0                           // END_COLLECTION                                       
    }                   // End Collection
  };
 
//Language code string descriptor
const struct {
  char bLength;
  char bDscType;
  unsigned int string[1];
  } strd1 = {
      4,
      0x03,
      {0x0409}
    };
 
 
//Manufacturer string descriptor
const struct{
  char bLength;
  char bDscType;
  unsigned int string[19];
  }strd2={
    40,           //sizeof this descriptor string
    0x03,
    {'M','y','_','F','i','r','s','t','_','U','S','B','_','d','e','v','i','c','e'}
  };
 
//Product string descriptor
const struct{
 
 
  char bLength;
  char bDscType;
  unsigned int string[15];
}strd3={
    32,          //sizeof this descriptor string
    0x03,
    {'U','S','B',' ','H','I','D',' ','L','i','b','r','a','r','y'}
 };
 
//Array of configuration descriptors
const char* USB_config_dsc_ptr[1];
 
//Array of string descriptors
const char* USB_string_dsc_ptr[3];
 
void USB_Init_Desc(){
  USB_config_dsc_ptr[0] = &configDescriptor1;
  USB_string_dsc_ptr[0] = (const char*)&strd1;
  USB_string_dsc_ptr[1] = (const char*)&strd2;
  USB_string_dsc_ptr[2] = (const char*)&strd3;
}
Миниатюры
HID device в MikroC  
0
12.06.2015, 01:42
IT_Exp
Эксперт
87844 / 49110 / 22898
Регистрация: 17.06.2006
Сообщений: 92,604
12.06.2015, 01:42
Помогаю со студенческими работами здесь

Human interface device(HID)
Ребят выручайте!Вот купил мышь Habu Razer но не могу поставить драйвера,пишет что обнаружена...

Репорт Custom HID device
Добрый день. Пытаюсь сделать устройство USB HID на микроконтроллере STM32f042. От устройства...

Human interface device(HID)
Помогиет купил мышь x-755k установил дрова, но она не работает. В диспетчере устройств на вкладке ...

Andoid + USB HID device EndPoint 0
Добрый день! Есть железка на контроллере, должна взаимодействовать с Android как USB HID...

Logitech Virtual Hid Device что это
Раньше не обращал внимание, но пришлось переустановить драйвер руля Loditech MOMO Racing, посмотрел...

Android device как hid или midi controller
Доброго времени. Возникла необходимость заставить (ПРОГРАММНО) телефон на android выступать в...


Искать еще темы с ответами

Или воспользуйтесь поиском по форуму:
6
Ответ Создать тему
КиберФорум - форум программистов, компьютерный форум, программирование
Powered by vBulletin
Copyright ©2000 - 2024, CyberForum.ru