本文以STM32F103为例展示两块STM32之间的SPI通信。废话少说,直接奉上我写的SPI库吧。
首先是 SPI.h
#ifndef _SPI_H_
#define _SPI_H_
#include "stm32f10x.h"
void RCC_Configuration(void);
void GPIO_Configuration(void);
void SPI_Configuration(void);
void SPI_SendData(u8 byte);
//void SPI_SendString(char* str);
u8 SPI_ReceiveData(void);
#endif
然后是SPI.c
#include "SPI.h"
//时钟配置
void RCC_Configuration(void)
{
RCC_APB1PeriphClockCmd(RCC_APB1Periph_SPI2,ENABLE);
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOA|RCC_APB2Periph_GPIOB|RCC_APB2Periph_SPI1,ENABLE);
}
//引脚配置
void GPIO_Configuration(void)
{
//定义GPIO结构体
GPIO_InitTypeDef GPIO_InitStructure;
GPIO_InitStructure.GPIO_Pin=GPIO_Pin_5|GPIO_Pin_6|GPIO_Pin_7;
GPIO_InitStructure.GPIO_Speed=GPIO_Speed_50MHz;
GPIO_InitStructure.GPIO_Mode=GPIO_Mode_AF_PP;
GPIO_Init(GPIOA,&GPIO_InitStructure);
GPIO_InitStructure.GPIO_Pin=GPIO_Pin_13|GPIO_Pin_14|GPIO_Pin_15;
GPIO_Init(GPIOB,&GPIO_InitStructure);
}
//SPI寄存器配置
void SPI_Configuration(void)
{
SPI_InitTypeDef SPI_InitStructure;
//配置SPI1,2
SPI_InitStructure.SPI_Direction=SPI_Direction_2Lines_FullDuplex; //全双工
SPI_InitStructure.SPI_DataSize=SPI_DataSize_8b; //一次传送16位
SPI_InitStructure.SPI_CPOL=SPI_CPOL_Low; //无数据传输时时钟引脚保持低电平。死也没想到这里影响这么大,为什么改为High就会每复位一次,打印结果就变一次 ,若不是无奈改成手册里的例子,还不会发现是这里的问题
SPI_InitStructure.SPI_CPHA=SPI_CPHA_2Edge; //第2时钟沿采样数据
SPI_InitStructure.SPI_NSS=SPI_NSS_Soft; //NSS为软件模式
SPI_InitStructure.SPI_BaudRatePrescaler=SPI_BaudRatePrescaler_4; //预分频值为8
SPI_InitStructure.SPI_FirstBit=SPI_FirstBit_LSB; //高位先发送
SPI_InitStructure.SPI_CRCPolynomial=7;
SPI_InitStructure.SPI_Mode=SPI_Mode_Master;
SPI_Init(SPI1,&SPI_InitStructure);
SPI_InitStructure.SPI_Mode=SPI_Mode_Slave;
SPI_Init(SPI2,&SPI_InitStructure);
SPI_Cmd(SPI1,ENABLE);
SPI_Cmd(SPI2,ENABLE);
}
//SPI1作为主机发送数据
void SPI_SendData(u8 byte)
{
while(SPI_I2S_GetFlagStatus(SPI1,SPI_I2S_FLAG_TXE)==RESET);
SPI_I2S_SendData(SPI1,byte);
}
/*
void SPI_SendString(char* str)
{
while((*str)!='\0') SPI_SendData(*(str++));
} */
//SPI2作为从机接收数据
u8 SPI_ReceiveData(void)
{
u8 data;
while(SPI_I2S_GetFlagStatus(SPI2,SPI_I2S_FLAG_RXNE)==RESET);
data=SPI_I2S_ReceiveData(SPI2);
return data;
}
为了方便,我直接将一块STM32上的两个SPI接口相接来检验,SPI1为PA5,PA6,PA7, SP2为PB13,PB14,PB15.
SPI1作为主机发送数据,SPI2作为从机接收数据。