关于蓝桥杯嵌入式板子的I2C,如果你以前没有接触过I2C通信。
重点:

  1. 懂得通过电路图判断出I2C设备的地址
  2. 会看I2C读写时序图。
  3. 底层驱动,考试会给你


不得不说,官方给了你I2C的底层驱动,写读取函数,参考手册,看时序图,真的是太简单了。

一、硬件原理图

ESP32 读取wifi信号强度_单片机


通过原理图,判断 [SCL->PB6][PB7->SDA]

ESP32 读取wifi信号强度_经验分享_02


板载EEPROM 为2k ,E0~E2接地均为0,因此设备地址 0xA0,当然 读写标志位也是跟在设备地址的后面

  1. 读命令:设备地址 0xA0 + 1 = 0xA1
  2. 写命令:设备地址 0xA0 + 0 = 0xA0

这点在编程的时候会有所体现,想知道具体细节,翻到上面,找传送门。

二、实现读写函数

1、void Byte_Write(uint8_t Write_addr,uint8_t data)

ESP32 读取wifi信号强度_单片机_03

void Byte_Write(uint8_t Write_addr,uint8_t data)
{
	I2CStart(); 				//1、发送开始信号
	I2CSendByte(0xA0);			//2、发送设备地址  写命令 0xA0 + 0 = 0xA0
	I2CWaitAck();				//3、等待响应
	I2CSendByte(Write_addr);	//4、等待响应 发送要写入EEPROM的地址
	I2CWaitAck();				//5、等待响应
	I2CSendByte(data);			//6、发送要写入的地址
	I2CWaitAck();				//7、等待响应
	I2CStop();					//8、发送停止信号
}

2、uint8_t Byte_Read(uint8_t Read_Addr)

ESP32 读取wifi信号强度_经验分享_04


我好像标错了,详见代码备注

uint8_t Byte_Read(uint8_t Read_Addr)
{
	uint8_t data = 0;
	I2CStart();						//1、发送开始信号		
	I2CSendByte(0xA0);				//2、发送设备地址  先写操作,0xA0	+ 0 = 0xA0
	I2CWaitAck();					//3、等待响应	
	I2CSendByte(Read_Addr);			//4、写入要读的地址,告诉EEPROM等下需要返回哪个值
	I2CWaitAck();					//5、等待响应
	
	I2CStart();						//6、发送开始信号,接受EEPROM返回的数据
	I2CSendByte(0xa1);				//7、发送设备地址,读操作 0xA0 + 1 =0xA1
	I2CWaitAck();					//8、等待响应
	data = I2CReceiveByte();		//9、读出数据
	I2CSendNotAck();				//10、发送非应答信号,准备停止
	I2CStop();						//11、停止信号
	
	return data;
}

3Buffer_Write(uint8_t *_pWriteBuf ,uint8_t Write_Addr,uint8_t Write_Num)

void Buffer_Write(uint8_t *_pWriteBuf,uint8_t Write_Addr,uint8_t Write_Num)
{
//最多连续写8个  注意地址对齐
	uint8_t i ;
	
	I2CStart();
	I2CSendByte(0xa0);
	I2CWaitAck();
	I2CSendByte(Write_Addr);
	I2CWaitAck();
	
	for(i = 0;i < Write_Num;i++)
	{
		I2CSendByte(_pWriteBuf[i]);
		I2CWaitAck();
	}
	I2CStop();
}

4、void Buffer_Read(uint8_t *_pReadBuf,uint8_t Read_Addr,uint8_t Read_Num)

自己写把,尝试一下

ESP32 读取wifi信号强度_单片机_05


I2CSendByte(Read_Addr);
I2CWaitAck();

I2CStart();
I2CSendByte(0xa1);
I2CWaitAck();

for(i = 0; i < Read_Num; i++)
{
	_pReadBuf[i] = I2CReceiveByte();

	if(i!=Read_Num-1)
	{
		I2CSendAck();
	}
	else
	{
		I2CSendNotAck();
	}
}
I2CStop();

连续读取写不出来,参考如下:

void Buffer_Read(uint8_t *_pReadBuf,uint8_t Read_Addr,uint8_t Read_Num)
{
	uint8_t data = 0;
	uint8_t i ;
	I2CStart();
	I2CSendByte(0xa0);
	I2CWaitAck();
	
	I2CSendByte(Read_Addr);
	I2CWaitAck();
	
	I2CStart();
	I2CSendByte(0xa1);
	I2CWaitAck();
	
	for(i = 0; i < Read_Num; i++)
	{
		_pReadBuf[i] = I2CReceiveByte();
	
		if(i!=Read_Num-1)
		{
			I2CSendAck();
		}
		else
		{
			I2CSendNotAck();
		}
	}
	I2CStop();
}