使用标准库编写stm32f103c8t6利用AD采集电压信号并通过串口输出的程序,PA0为输入接口,不使用DMA
时间: 2023-12-06 16:45:16 浏览: 75
基于STM32F103C8T6的ADC采集示例程序
以下是使用标准库编写的stm32f103c8t6利用AD采集电压信号并通过串口输出的程序,PA0为输入接口,不使用DMA:
```c
#include "stm32f10x.h"
#include <stdio.h>
void USART1_Init(void);
void USART1_SendChar(char ch);
void USART1_SendString(char* str);
void ADC1_Init(void);
uint16_t ADC1_Read(void);
int main(void)
{
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOA, ENABLE);
RCC_APB2PeriphClockCmd(RCC_APB2Periph_ADC1, ENABLE);
ADC1_Init();
USART1_Init();
char voltage[10];
while(1)
{
uint16_t adc_value = ADC1_Read();
float voltage_value = (float)adc_value / 4096 * 3.3;
sprintf(voltage, "%.2f\n", voltage_value);
USART1_SendString(voltage);
for(int i = 0; i < 1000000; i++);
}
}
void USART1_Init(void)
{
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOA | RCC_APB2Periph_USART1, ENABLE);
GPIO_InitTypeDef GPIO_InitStruct;
GPIO_InitStruct.GPIO_Pin = GPIO_Pin_9;
GPIO_InitStruct.GPIO_Mode = GPIO_Mode_AF_PP;
GPIO_InitStruct.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOA, &GPIO_InitStruct);
USART_InitTypeDef USART_InitStruct;
USART_InitStruct.USART_BaudRate = 9600;
USART_InitStruct.USART_WordLength = USART_WordLength_8b;
USART_InitStruct.USART_StopBits = USART_StopBits_1;
USART_InitStruct.USART_Parity = USART_Parity_No;
USART_InitStruct.USART_HardwareFlowControl = USART_HardwareFlowControl_None;
USART_InitStruct.USART_Mode = USART_Mode_Tx;
USART_Init(USART1, &USART_InitStruct);
USART_Cmd(USART1, ENABLE);
}
void USART1_SendChar(char ch)
{
while(USART_GetFlagStatus(USART1, USART_FLAG_TXE) == RESET);
USART_SendData(USART1, ch);
}
void USART1_SendString(char* str)
{
while(*str)
{
USART1_SendChar(*str++);
}
}
void ADC1_Init(void)
{
GPIO_InitTypeDef GPIO_InitStruct;
GPIO_InitStruct.GPIO_Pin = GPIO_Pin_0;
GPIO_InitStruct.GPIO_Mode = GPIO_Mode_AIN;
GPIO_InitStruct.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOA, &GPIO_InitStruct);
ADC_InitTypeDef ADC_InitStruct;
ADC_InitStruct.ADC_Mode = ADC_Mode_Independent;
ADC_InitStruct.ADC_ScanConvMode = DISABLE;
ADC_InitStruct.ADC_ContinuousConvMode = ENABLE;
ADC_InitStruct.ADC_ExternalTrigConv = ADC_ExternalTrigConv_None;
ADC_InitStruct.ADC_DataAlign = ADC_DataAlign_Right;
ADC_InitStruct.ADC_NbrOfChannel = 1;
ADC_Init(ADC1, &ADC_InitStruct);
ADC_Cmd(ADC1, ENABLE);
ADC_ResetCalibration(ADC1);
while(ADC_GetResetCalibrationStatus(ADC1));
ADC_StartCalibration(ADC1);
while(ADC_GetCalibrationStatus(ADC1));
}
uint16_t ADC1_Read(void)
{
ADC_RegularChannelConfig(ADC1, ADC_Channel_0, 1, ADC_SampleTime_239Cycles5);
ADC_SoftwareStartConvCmd(ADC1, ENABLE);
while(ADC_GetFlagStatus(ADC1, ADC_FLAG_EOC) == RESET);
return ADC_GetConversionValue(ADC1);
}
```
程序的主要流程为:初始化ADC1和USART1,然后在一个无限循环中读取PA0口的电压值并通过串口输出,每次输出间隔1秒。
在ADC1_Init函数中,首先对PA0口进行初始化配置,然后对ADC1进行初始化配置,开启ADC1的时钟,并校准ADC1。在ADC1_Read函数中,设置ADC1的采样通道为PA0,采样时间为239.5个时钟周期,然后启动ADC1的软件转换,等待转换完成并返回采样值。
在USART1_Init函数中,对USART1进行初始化配置,设置波特率为9600,数据位为8位,停止位为1位,无奇偶校验,无硬件流控制,只开启串口发送功能。
最后,在主函数中,读取PA0的电压值并计算出实际电压值,然后通过串口发送出去。
阅读全文