RobotRock
RobotRock

Reputation: 4459

Message "unknown type name 'uint8_t'" in MinGW

I get "unknown type name 'uint8_t'" and others like it using C in MinGW.

How can I solve this?

Upvotes: 106

Views: 344564

Answers (4)

John b
John b

Reputation: 1398

I had to include "PROJECT_NAME/osdep.h" and that includes the OS-specific configurations.

I would look in other files using the types you are interested in and find where/how they are defined (by looking at includes).

Upvotes: 0

LanchPad
LanchPad

Reputation: 287

To be clear: If the order of your #includes matters and it is not part of your design pattern (read: you don't know why), then you need to rethink your design. Most likely, this just means you need to add the #include to the header file causing problems.

At this point, I have little interest in discussing/defending the merits of the example, but I will leave it up as it illustrates some nuances in the compilation process and why they result in errors.


You need to #include the stdint.h before you #include any other library interfaces that need it.

Example:

My LCD library uses uint8_t types. I wrote my library with an interface (Display.h) and an implementation (Display.c).

In display.c, I have the following includes.

#include <stdint.h>
#include <string.h>
#include <avr/io.h>
#include <Display.h>
#include <GlobalTime.h>

And this works.

However, if I rearrange them like so:

#include <string.h>
#include <avr/io.h>
#include <Display.h>
#include <GlobalTime.h>
#include <stdint.h>

I get the error you describe. This is because Display.h needs things from stdint.h, but it can't access it because that information is compiled after Display.h is compiled.

So move stdint.h above any library that needs it and you shouldn't get the error any more.

Upvotes: 8

ouah
ouah

Reputation: 145879

To use the uint8_t type alias, you have to include the stdint.h standard header.

Upvotes: 24

cnicutar
cnicutar

Reputation: 182689

Try including stdint.h or inttypes.h.

Upvotes: 200

Related Questions