C 中的枚举类型警告

问题描述 投票:0回答:3

我正在 lpc1788 ARM Cortex M3 上编写代码。当我尝试将端口配置为 GPIO 时,我遇到了一个奇怪的警告。 尽管有警告,代码工作得绝对正常,但为了了解为什么会出现这个警告,我在这里提出这篇文章。 以下是我编写的代码。

static uint32_t * PIN_GetPointer(uint8_t portnum, uint8_t pinnum)  
{  
    uint32_t *pPIN = NULL;  
    pPIN = (uint32_t *)(LPC_IOCON_BASE + ((portnum * 32 + pinnum)*sizeof(uint32_t)));  
    return pPIN;  
}    

void PINSEL_SetPinMode ( uint8_t portnum, uint8_t pinnum, PinSel_BasicMode modenum)  
{  
    uint32_t *pPIN = NULL;  
    pPIN = PIN_GetPointer(portnum, pinnum);  
    *(uint32_t *)pPIN &= ~(3<<3);    //Clear function bits  
    *(uint32_t *)pPIN |= (uint32_t)(modenum<<3);  
}  

int main(void)  
{  
    PINSEL_SetPinMode(1,15,0);  //this gave a warning: enumerated type mixed with another type  
    PINSEL_SetPinMode(1,18,PINSEL_BASICMODE_NPLU_NPDN);    //this doesnt give any warning  

   /* Following is the enum present in a GPIO related header file, putting it here in comments so that   
       those who are going through this post, can see the enum  

            typedef enum
            {
                PINSEL_BASICMODE_NPLU_NPDN  = 0, // Neither Pull up nor pull down        
                PINSEL_BASICMODE_PULLDOWN,       // Pull-down enabled
                PINSEL_BASICMODE_PULLUP,         // Pull-up enabled (default)         
                PINSEL_BASICMODE_REPEATER        // Repeater mode          
            }PinSel_BasicMode;        
   */

    return 0;  
}     
c enums warnings
3个回答
6
投票

您正在使用

int
类型,其中需要
enum PinSel_BasicMode
类型。虽然枚举和整数通常可以互换,但它们是不同的类型。

Value

0
不是枚举值。
PINSEL_BASICMODE_NPLU_NPDN
是。通过定义它只是
0

如果枚举声明发生更改且

PINSEL_BASICMODE_NPLU_NPDN
等于 1,您的代码将无效。


2
投票

1. 您正在传递一个

int
,其中需要
enum
值。因此,要么将其转换为正确的枚举,要么更好:直接使用正确的
enum
值:

PINSEL_SetPinMode(1, 15, (PinSel_BasicMode)0);
PINSEL_SetPinMode(1, 15, PINSEL_BASICMODE_NPLU_NPDN);

2. 您正在对

enum
值使用移位运算符。我认为你需要在位移之前和之后进行转换以使编译器满意:

void PINSEL_SetPinMode ( uint8_t portnum, uint8_t pinnum, PinSel_BasicMode modenum)  
{  
    uint32_t *pPIN = NULL;  
    pPIN = PIN_GetPointer(portnum, pinnum);  
    *pPIN &= ~(3<<3);    //Clear function bits  
    *pPIN |= (uint32_t)((uint32_t)modenum << 3);
}

之前:因为您想要移动整数值而不是

enum
值。

之后:因为移位操作的输出类型不一定与输入类型相同。


0
投票

枚举是定义类型,因此这里警告是与 int 不兼容的类型,因此您可以进行类型转换以避免警告。

但是这里 0 是为你的枚举定义的,所以它不会导致你的代码给出错误的结果。

希望对您有帮助......

最新问题
© www.soinside.com 2019 - 2025. All rights reserved.