stm32f103c8t6单片机使用DHT11温湿度监测模块的核心程序
时间: 2023-05-26 10:04:48 浏览: 112
本文给出stm32f103c8t6单片机使用DHT11温湿度监测模块的核心程序,使用C语言开发,可供参考。程序包括DHT11初始化以及读取数据的函数。
1. DHT11初始化
```
void DHT11_Init(void)
{
GPIO_InitTypeDef GPIO_InitStructure;
/* 使能 PORTB 时钟 */
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOB, ENABLE);
/* 配置 PB12 为输出 */
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_12;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_Out_PP;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOB, &GPIO_InitStructure);
/* 设置 PB12 输出高电平 */
GPIO_SetBits(GPIOB, GPIO_Pin_12);
}
```
2. 读取DHT11数据
```
u8 DHT11_Read_Data(u8 *temp,u8 *humi)
{
u8 i=0,j=0;
/* 数组清零操作 */
humi[0]=humi[1]=temp[0]=temp[1]=temp[2]=temp[3]=0;
/* 输出数据总线设置为低电平 */
GPIO_ResetBits(GPIOB, GPIO_Pin_12);
/* 延时18ms */
Delay_ms(18);
/* 输出数据总线设置为高电平 */
GPIO_SetBits(GPIOB, GPIO_Pin_12);
/* 设置数据总线为输入模式 */
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_12;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_IN_FLOATING;
GPIO_Init(GPIOB, &GPIO_InitStructure);
/* 检测 DHT11 响应信号,判断是否有效 */
if(GPIO_ReadInputDataBit(GPIOB, GPIO_Pin_12)!=Bit_RESET)
{
/* 数据总线未检测到有效响应,返回错误 */
return DHT11_ERROR_RESPONSE;
}
/* DHT11 数据位,从高到低依次读取 5Bytes 数据,每个字节 8bit */
for(i=0;i<5;i++)
{
for(j=0;j<8;j++)
{
/* 接收数据,时间片为 45us,最高电平持续时间大于等于 70us 表示高电平,否则为低电平 */
while(GPIO_ReadInputDataBit(GPIOB, GPIO_Pin_12)==Bit_RESET); /* 等待数据总线变高 */
Delay_us(50);
if(GPIO_ReadInputDataBit(GPIOB, GPIO_Pin_12)==Bit_SET)
{
/* 高电平,数据位为 1 */
humi[i%2]|=(0x80>>j); /* 数据位依次存入 humi 数组 */
}
while(GPIO_ReadInputDataBit(GPIOB, GPIO_Pin_12)==Bit_SET); /* 等待数据总线变低 */
}
}
/* 重置数据总线 */
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_Out_PP;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOB, &GPIO_InitStructure);
GPIO_SetBits(GPIOB, GPIO_Pin_12);
/* 校验读取数据是否正确 */
if(humi[0]+humi[1]+temp[0]+temp[1]+temp[2]+temp[3]!=humi[2])
{
/* 数据校验出错,返回错误 */
return DHT11_ERROR_CHECKSUM;
}
return DHT11_SUCCESS;
}
```
这段代码将气温数据存储在temp变量中,湿度数据存储在humi变量中,并且验证数据的正确性。同时,需要注意的是,这里使用了delay函数,程序中需要定义delay_ms和delay_us两个函数,在程序中调用时Delay_ms(18)和Delay_us(50)表示需要延时18毫秒和50微秒。
阅读全文