编写GPIO初始化结构体和初始化函数
stm32f4xx_gpio.h
/* 端口模式 */
typedef enum{
GPIO_Mode_IN = 0x00,
GPIO_Mode_OUT = 0x01,
GPIO_Mode_AF = 0x02,
GPIO_Mode_AN = 0x03
}GPIOMode_TypeDef;
/* 端口输出速度 */
typedef enum{
GPIO_Speed_2MHZ = 0x00,
GPIO_Speed_25MHZ = 0x01,
GPIO_Speed_50MHZ = 0x02,
GPIO_Speed_100MHZ = 0x03
}GPIOSpeed_TypeDef;
/* 端口输出类型 */
typedef enum{
GPIO_OType_PP = 0x00,
GPIO_OType_OD = 0x01
}GPIOOType_TypeDef;
/* 端口上拉/下拉 */
typedef enum{
GPIO_PuPd_NOPULL = 0x00,
GPIO_PuPd_UP = 0x01,
GPIO_PuPd_DOWN = 0x02
}GPIOPuPd_TypeDef;
/* GPIO初始化结构体 */
typedef struct
{
uint16_t GPIO_Pin;
GPIOMode_TypeDef GPIO_Mode;
GPIOSpeed_TypeDef GPIO_Speed;
GPIOOType_TypeDef GPIO_OType;
GPIOPuPd_TypeDef GPIO_PuPd;
}GPIO_InitTypeDef;
/* 外设初始化函数声明 */
void GPIO_Init(GPIO_TypeDef* GPIOx, GPIO_InitTypeDef* GPIO_InitStruct);
stm32f4xx_gpio.c
/* 外设初始化函数 */
void GPIO_Init(GPIO_TypeDef* GPIOx, GPIO_InitTypeDef* GPIO_InitStruct){
/* 定义三个变量用来获取具体引脚 */
uint32_t pinpos = 0x00, pos = 0x00, currentpin = 0x00;
for(pinpos=0x00; pinpos<16; pinpos++){
pos = ((uint32_t)0x01) << pinpos;
currentpin = ((uint32_t)(GPIO_InitStruct->GPIO_Pin)) & pos;
if(currentpin){
/* 端口模式配置 */
GPIOx->MODER &= ~(3 << (2 * pinpos));
GPIOx->MODER |= ((uint32_t)(GPIO_InitStruct->GPIO_Mode) << (2 * pinpos));
/* 上拉/下拉配置 */
GPIOx->PUPDR &= ~(3<<(2 * pinpos));
GPIOx->PUPDR |= ((uint16_t)(GPIO_InitStruct->GPIO_Mode) << (2 * pinpos));
/* 配置端口模式为输出或复用时才配置下列寄存器 */
if((GPIO_InitStruct->GPIO_Mode == GPIO_Mode_OUT) || (GPIO_InitStruct->GPIO_Mode == GPIO_Mode_AF)){
/* 输出速度配置 */
GPIOx->OSPEEDR &= ~(3 << (2 * pinpos));
GPIOx->OSPEEDR |= ((uint32_t)(GPIO_InitStruct->GPIO_Mode) << (2 * pinpos));
/* 输出类型配置 */
GPIOx->OTYPER &= ~(1 << pinpos);
GPIOx->OTYPER |= ((uint16_t)(GPIO_InitStruct->GPIO_Mode) << pinpos);
}
}
}
}
main.c
#include "stm32f4xx.h"
#include "stm32f4xx_gpio.h"
int main(void){
/* 打开GPIOE的时钟 */
RCC_AHB1ENR |= (1<<4); //写入1
/* 初始化GPIO结构体 */
GPIO_InitTypeDef GPIO_InitStruct;
GPIO_InitStruct.GPIO_Pin = GPIO_Pin_3;
GPIO_InitStruct.GPIO_Mode = GPIO_Mode_OUT;
GPIO_InitStruct.GPIO_Speed = GPIO_Speed_100MHZ;
GPIO_InitStruct.GPIO_OType = GPIO_OType_PP;
GPIO_InitStruct.GPIO_PuPd = GPIO_PuPd_UP;
GPIO_Init(GPIOE, &GPIO_InitStruct);
/* PE3输出低电平 */
GPIO_ResetBits(GPIOE, GPIO_Pin_3);
}
void SystemInit(void){
}
|