设计一个计算器,通过键盘输入 0~9 的数 字,以及运算法则加减乘除,能通过串口 在电脑端串口调试软件上显示运算结果STM32代码
时间: 2023-11-28 22:51:06 浏览: 85
以下是一个简单的计算器的STM32代码示例,可以通过串口输出计算结果。
```
#include "stm32f10x.h"
#include <stdio.h>
USART_InitTypeDef USART_InitStructure;
void RCC_Configuration(void)
{
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOA | RCC_APB2Periph_USART1, ENABLE);
}
void GPIO_Configuration(void)
{
GPIO_InitTypeDef GPIO_InitStructure;
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_9;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_AF_PP;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOA, &GPIO_InitStructure);
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_10;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_IN_FLOATING;
GPIO_Init(GPIOA, &GPIO_InitStructure);
}
void USART_Configuration(void)
{
USART_InitStructure.USART_BaudRate = 115200;
USART_InitStructure.USART_WordLength = USART_WordLength_8b;
USART_InitStructure.USART_StopBits = USART_StopBits_1;
USART_InitStructure.USART_Parity = USART_Parity_No;
USART_InitStructure.USART_HardwareFlowControl = USART_HardwareFlowControl_None;
USART_InitStructure.USART_Mode = USART_Mode_Rx | USART_Mode_Tx;
USART_Init(USART1, &USART_InitStructure);
USART_Cmd(USART1, ENABLE);
}
void USART_SendChar(uint16_t ch)
{
while (USART_GetFlagStatus(USART1, USART_FLAG_TXE) == RESET);
USART_SendData(USART1, (uint8_t)ch);
}
int main(void)
{
RCC_Configuration();
GPIO_Configuration();
USART_Configuration();
int num1 = 0, num2 = 0, result = 0;
char op;
while (1)
{
while (USART_GetFlagStatus(USART1, USART_FLAG_RXNE) == RESET);
char input = USART_ReceiveData(USART1);
if (input >= '0' && input <= '9')
{
num1 = num1 * 10 + (input - '0');
}
else if (input == '+' || input == '-' || input == '*' || input == '/')
{
op = input;
}
else if (input == '=')
{
while (USART_GetFlagStatus(USART1, USART_FLAG_TXE) == RESET);
USART_SendChar('\r');
switch (op)
{
case '+':
result = num1 + num2;
break;
case '-':
result = num1 - num2;
break;
case '*':
result = num1 * num2;
break;
case '/':
result = num1 / num2;
break;
default:
break;
}
printf("Result: %d\r\n", result);
num1 = num2 = result = 0;
}
else
{
num2 = num2 * 10 + (input - '0');
}
}
}
```
在上面的代码中,我们使用了串口 USART1,将其配置为 115200 波特率,8 位数据位,无奇偶校验和 1 个停止位。然后,我们使用 USART_SendChar 函数向串口发送字符,并使用 printf 函数向串口输出结果。
在主循环中,我们等待串口接收到输入,如果输入是数字,则将其存储到 num1 或 num2 变量中,如果输入是运算符,则将其存储到 op 变量中。当输入等号时,我们执行所存储的运算符,并将结果存储到 result 变量中,并使用 printf 函数将结果发送到串口。
在使用此代码时,请确保已正确连接串口,以及正确配置了串口调试软件。
阅读全文