使用 Systick 设计一个电子时钟。通过串口每秒输出一次时分秒信息(时钟初始值为当前 时间,无需获取系统时间)。
时间: 2024-03-13 14:44:24 浏览: 55
“时分秒”时钟Multisim设计
5星 · 资源好评率100%
好的,我可以帮你设计一个电子时钟。你需要先设置 SysTick 的时钟源和计数器值,以便实现每秒中断一次。然后在 SysTick 中断处理函数中更新时钟的时分秒信息,并通过串口输出。
下面是一个示例代码,你可以参考一下:
```c
#include "stm32f10x.h"
#include <stdio.h>
volatile uint32_t tick_count = 0;
volatile uint32_t second_count = 0;
volatile uint8_t hour = 0;
volatile uint8_t minute = 0;
volatile uint8_t second = 0;
void SysTick_Handler(void)
{
tick_count++;
if (tick_count == SystemCoreClock / 1000) {
tick_count = 0;
second_count++;
if (second_count == 60) {
second_count = 0;
minute++;
if (minute == 60) {
minute = 0;
hour++;
if (hour == 24) {
hour = 0;
}
}
}
}
}
void USART1_Init(void)
{
GPIO_InitTypeDef GPIO_InitStructure;
USART_InitTypeDef USART_InitStructure;
RCC_APB2PeriphClockCmd(RCC_APB2Periph_USART1 | RCC_APB2Periph_GPIOA, ENABLE);
// USART1 Tx (PA.9) pin configuration
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);
// USART1 Rx (PA.10) pin configuration
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_10;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_IN_FLOATING;
GPIO_Init(GPIOA, &GPIO_InitStructure);
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);
}
int fputc(int ch, FILE *f)
{
USART_SendData(USART1, (uint8_t)ch);
while (USART_GetFlagStatus(USART1, USART_FLAG_TXE) == RESET);
return ch;
}
int main(void)
{
SystemCoreClockUpdate();
SysTick_Config(SystemCoreClock / 1000);
USART1_Init();
printf("Electronic Clock\r\n");
while (1) {
printf("%02d:%02d:%02d\r\n", hour, minute, second);
delay_ms(1000);
}
}
void delay_ms(uint32_t ms)
{
uint32_t tickstart = 0;
tickstart = tick_count;
while ((tick_count - tickstart) < ms);
}
```
在上面的代码中,我们使用 SysTick_Config 函数配置 SysTick 中断,使其每秒中断一次。在 SysTick_Handler 中断处理函数中,我们对时分秒进行更新,并且在主循环中每秒通过串口输出一次时分秒信息。
注意:为了使printf函数正常工作,你需要在工程属性的C/C++ Build -> Settings -> MCU GCC Linker -> Miscellaneous -> Other flags中添加-lrdimon。
阅读全文