PYTHON+CH347读写25系列flash

受下文启发:  

参考:https://www.elektroda.com/rtvforum/topic3931424.html

BK7231 programming via SPI in flash memory mode - Python and Banana Pi

BK7231 is usually programmed via UART - this is allowed by the bootloader uploaded by the manufacturer. In exceptional situations, however, we can accidentally overwrite this bootloader - then we have to use the SPI programming mode to recover the blocked system. Here I will describe how the SPI mode works in BK7231 and I will present the simple code of my own primitive SPI programmer for Beken. The "programmer" will be written in Python and will run on a Raspberry Pi (okay, here on Banana Pi - but it's very similar on Raspberry). 

We see the pins: P20, P21, P22, P23 (SCK, CSN, SI and SO). Contrary to appearances, it is not an external memory interface, as in ESP8266, here Beken itself is memory.
Beken is an SPI memory and identifies itself as 00 15 70 1C, so it looks like a bone similar to EN25QH16B - and the EN25QH16B datasheet with read / write operations can brighten the situation a bit here.

解释下: BK7231是博通集成的wifi芯片,内部存储是一个25系列的flash,型号应该是EN25QH16B,通过SPI对这个flash烧写即可完成对BK7231的烧写。

原文作者用python+ Raspberry Pi实现了对BK7231的烧写。

手头有CH347,CH347自带硬件SPI和8口GPIO,应该比Raspberry Pi更专业、更适合。

一、python上位机

python程序,读写都成功了,flash用的是W25QH16。

#! /usr/bin/env python
#coding=utf-8
import ctypes
import osimport time
from ctypes import *SPI_CHIP_ERASE_CMD		= 0xc7
SPI_CHIP_ENABLE_CMD		= 0x06
SPI_READ_PAGE_CMD   	= 0x03
SPI_WRITE_PAGE_CMD   	= 0x02
SPI_SECTRO_ERASE_CMD	= 0x20
SPI_SECUR_SECTOR_ERASE	= 0x44
SPI_ID_READ_CMD			= 0x9F
SPI_STATU_WR_LOW_CMD	= 0x01
SPI_STATU_WR_HIG_CMD	= 0x31
SPI_READ_REG        	= 0x05class spi_config(Structure):_fields_ = [("iMode", c_ubyte),("iClock", c_ubyte),("iByteOrder", c_ubyte),("iSpiWriteReadInterval", c_ushort),("iSpiOutDefaultData",c_ubyte),("iChipSelect", c_ulong),("CS1Polarity",c_ubyte),("CS2Polarity", c_ubyte),("iIsAutoDeativeCS", c_ushort),("iActiveDelay", c_ushort),("iDelayDeactive", c_ulong),]
class dev_infor(Structure):_fields_ =[("iIndex", c_ubyte),("DeviePath", c_ubyte*255),("UsbClass", c_ubyte),("FuncType", c_ubyte),("DeviceID", c_byte*64),("Mode", c_ubyte),("DevHandle", c_ulong),("BulkOutEndpMaxSize", c_ushort),("BulkInEndpMaxSize", c_ushort),("UsbSpeedType", c_ubyte),("CH347funcType", c_ubyte),("DataUpEndp", c_ubyte),("DataDnEndp", c_ubyte),("ProductString", c_byte*64),("ManufacturerString", c_byte*64),("WriteTimeout", c_ulong),("ReadTimeout", c_ulong),("FuncDescStr", c_byte*64),("FirewareVer", c_ubyte),]def SPI_Init():CH347_SPI = spi_config(iMode = 0x03,iClock = 0,iByteOrder = 1,iSpiWriteReadInterval = 0,iSpiOutDefaultData = 0,iChipSelect = 0x80,CS1Polarity = 0,CS2Polarity = 0,iIsAutoDeative = 1,iActiveDelay = 0,iDelayDeactive = 0)"""CH347_SPI = spi_config()CH347_SPI.iMode = 0x03CH347_SPI.iClock = 0x01CH347_SPI.iByteOrder = 0x01CH347_SPI.iSpiWriteReadInterval=0CH347_SPI.iSpiOutDefaultData = 0xffCH347_SPI.iChipSelect = 0x80"""#CH347.CH347SPI_Init(DevIndex, ctypes.byref(CH347_SPI))# opendeviceif CH347.CH347OpenDevice(DevIndex) != -1:print("CH347OpenDevice success")CH347.CH347SetTimeout(0,0xffff,0xffff)if CH347.CH347SPI_Init(DevIndex, CH347_SPI)==1:print("CH347SPI_Init success")def spi_readId(DevIndex):cmd_buf = (c_byte * 4)()len = 4cmd_buf[0] = 0x9Fcmd_buf[1] = 0xFFcmd_buf[2] = 0xFFcmd_buf[3] = 0xFFCH347.CH347SPI_WriteRead(DevIndex, 0x80, len, cmd_buf)print("{0:x} {1:x} {2:x} {3:x}".format(cmd_buf[0], cmd_buf[1], cmd_buf[2], cmd_buf[3]))return cmd_buf[0] & 0xFFdef test_devinfo():DEVINFO=dev_infor()if CH347.CH347GetDeviceInfor(DevIndex,ctypes.byref(DEVINFO)) == 1:print(list(DEVINFO.DeviePath))print(''.join(chr(b) for b in DEVINFO.DeviePath))print(DEVINFO.UsbClass)print(DEVINFO.FuncType)print(list(DEVINFO.DeviceID))print(''.join(chr(b) for b in DEVINFO.DeviceID))print(DEVINFO.Mode)print(DEVINFO.DevHandle)print(DEVINFO.BulkOutEndpMaxSize)print(DEVINFO.BulkInEndpMaxSize)print(DEVINFO.UsbSpeedType)print(DEVINFO.CH347funcType)print(DEVINFO.DataUpEndp)print(DEVINFO.DataDnEndp)print(list(DEVINFO.ProductString))print(list(DEVINFO.ManufacturerString))print(DEVINFO.FirewareVer)else:print("CH347GetDeviceInfor failed")def spi_write( device_index, chip_select, write_data) :"""SPI write data.Args:device_index (int): Device number.chip_select (int): Chip selection control. When bit 7 is 0, chip selection control is ignored.When bit 7 is 1, chip selection operation is performed.write_data (bytes): Data to write.write_step (int, optional): The length of a single block to be read. Default is 512.Returns:bool: True if successful, False otherwise."""write_step=1write_buffer = ctypes.create_string_buffer(write_data)write_length = len(write_data)#CH347.CH347SPI_SetChipSelect(0,0xff00,0x00FF,0x00000001,5,5)result = CH347.CH347SPI_Write(device_index, chip_select, write_length, write_step, write_buffer)#CH347.CH347SPI_SetChipSelect(0,0xff00,0x0000,0x00000001,5,5)if result==1:#print("CH347SPI_Write ok :",write_buffer.raw,write_length)print("\r\nCH347SPI_Write ok :",end="\r\n")for x in range(write_length):print(hex(write_buffer.raw[x]),end=" ")return resultdef spi_transfer(data):# 发送数据out_data = ctypes.create_string_buffer(data)CH347.CH347SPI_WriteRead(0, 0x80, len(out_data), out_data)#print("write success")return out_data.rawdef spi_change_cs(iStatus):"""Change the chip selection status.Args:iStatus (int): Chip selection status. 0 = Cancel the piece to choose, 1 = Set piece selected.Returns:bool: True if successful, False otherwise."""result = CH347.CH347SPI_ChangeCS(DevIndex, iStatus)return resultdef spi_read(chip_select: int, write_data: bytes, read_length: int) -> bytes:"""SPI read data.Args:chip_select (int): Chip selection control. When bit 7 is 0, chip selection control is ignored.When bit 7 is 1, chip selection operation is performed.write_data (bytes): Data to write.read_length (int): Number of bytes to read.Returns:bytes: Data read in from the SPI stream if successful, None otherwise."""write_length = len(write_data)# Create ctypes buffer for write datawrite_buffer = ctypes.create_string_buffer(write_data)# Create ctypes buffer for read dataread_buffer = ctypes.create_string_buffer(read_length)# Create combined buffer for read and write datacombined_buffer = ctypes.create_string_buffer(write_buffer.raw[:write_length] + read_buffer.raw)result = CH347.CH347SPI_Read(DevIndex, chip_select, write_length, ctypes.byref(ctypes.c_ulong(read_length)), combined_buffer)if result:# Extract the read data from the combined bufferread_data = combined_buffer[:read_length]return bytes(read_data)else:return None##################################
#	@prief SPI_Closedevice
#	//关闭SPI
##################################
def SPI_Closedevice():CH347.CH347CloseDevice(DevIndex)#CEN:GPIO02
#
def GPIO_CEN_SET():#result=CH347.CH347GPIO_Set(DevIndex,0x01,0xff,0x01)result=CH347.CH347GPIO_Set(DevIndex,0x04,0xff,0x04)if result==1:print("Set CEN hight success!")
def GPIO_CEN_CLR():#result=CH347.CH347GPIO_Set(DevIndex,0x01,0xff,0x00)result=CH347.CH347GPIO_Set(DevIndex,0x04,0xff,0x00)if result==1:print("Set CEN low success!")def ChipReset():# set CEN low for 1sGPIO_CEN_CLR()time.sleep(1)GPIO_CEN_SET()"""
- we initiate SPI in mode 3 (0b11 mode), frequency 30kHz (faster ones did not work for me)
- we set the CEN to a low state
- we wait 1 second
- we set the CEN to a high state
- we send D2 250 times after SPI
- we expect an answer once D2, then 249 times 00
"""
def BK_EnterSPIMode():print('----------------BK_EnterSPIMode-----------------------\r\n')ChipReset()send_buf = bytearray(250)for x in range(250):send_buf[x] = 0xD2read_data = spi_read( 0x80, bytes(send_buf), 250)#for x in range(250):#	print(hex(read_data[x]),end = " ")if(read_data[0]==0xD2):print("BK_EnterSPIMode success\r\n")else:print("BK_EnterSPIMode failed\r\n")#0x9F 0x00 0x00 0x00a = spi_read( 0x80, b"\x9F\x00\x00\x00", 4)for x in range(4):print(hex(a[x]), end = ' ')if a[0] == 0x00 and a[1] == 0x1c and a[2] == 0x70 and a[3] == 0x15:print("ID OK")return 1print("ID bad")return 0def Wait_Busy_Down():while True:send_buf = bytearray(2)send_buf[0] = 0x05send_buf[1] = 0x00out_buf = spi_read( 0x80, bytes(send_buf), 2)if not (out_buf[1] & 0x01):breaktime.sleep(0.01)def CHIP_ENABLE_Command():send_buf = bytearray(1)#send_buf[0] = SPI_CHIP_ENABLE_CMDsend_buf[0] = 0x06#spi_transfer(bytes(send_buf))spi_write(0,0x80,bytes(send_buf))Wait_Busy_Down()def WriteImage(startaddr,filename, maxSize):print("WriteImage "+filename)statinfo = os.stat(filename)size = statinfo.st_sizesize = (size+255)//256*256#size = maxSize;count = 0addr = startaddrf = open(filename, "rb")while count < size:print("count "+str(count) +"/"+str(size))if 1:if 0 == (addr & 0xfff):CHIP_ENABLE_Command()send_buf = bytearray(4)send_buf[0] = 0x20send_buf[1] = (addr & 0xFF0000) >> 16send_buf[2] = (addr & 0xFF00) >> 8send_buf[3] = addr & 0xFF#spi_transfer(bytes(send_buf))spi_write(0,0x80,bytes(send_buf))Wait_Busy_Down()buf = f.read(256)if buf:CHIP_ENABLE_Command()send_buf = bytearray(4+256)send_buf[0] = 0x02send_buf[1] = (addr & 0xFF0000) >> 16send_buf[2] = (addr & 0xFF00) >> 8send_buf[3] = addr & 0xFFsend_buf[4:4+256] = buf#spi_transfer(bytes(send_buf))spi_write(0,0x80,bytes(send_buf))count += 256addr += 256f.close()return Truedef ReadStart(startaddr, filename, readlen):count = 0addr = startaddrf = open(filename, "wb")size = readlensize = (size+255)//256*256print("Reading")while count < size:print("count "+str(count) +"/"+str(size))send_buf = bytearray(4)send_buf[0] = 0x03send_buf[1] = (addr & 0xFF0000) >> 16send_buf[2] = (addr & 0xFF00) >> 8send_buf[3] = addr & 0xFF#print("address[")#print(send_buf,end=']:\r\n')result = spi_read( 0x80, bytes(send_buf), 256)count += 256addr += 256#part = bytearray(result[4:4+256])#part = bytearray(result[0:256])for x in range(256):print(hex(result[x]), end = '')print(" ", end = '')f.write(result)f.close()ChipReset()return Trueif __name__ == "__main__":dll_path = "./ch347dlla64.dll"  # Replace with the actual path to the DLLDevIndex = 0CH347=windll.LoadLibrary(dll_path)print("........................................................................")print(".                          CH347 BK flash test                         .")print("........................................................................")SPI_Init()if spi_change_cs(1):print("SPI CS CHANAGED")#BK_EnterSPIMode()"""read_data = spi_read( 0x80, b"\x90\x00\x00\x00",2)print(read_data)print('\r\n---------------- 0x9F end -----------------------\r\n')read_data = spi_read( 0x80, b"\x4B\x00\x00\x00", 6)print(read_data)"""read_data = spi_read( 0x80, b"\x03\x00\x01\x00", 256)for x in range(256):print(hex(read_data[x]), end = ' ')#print(read_data)SPI_Closedevice# this will allow you to write directly bootloader + app
#WriteImage(0,"OpenBK7231T_App_QIO_35a81303.bin", 0x200000)
# if you have an app that was loaded by bkWriter 1.60 with offs 0x11000,
# and you have broke your bootloader, you can take bootloader from OBK build
# and then restore an app#WriteImage(0,"OpenBK7231T_App_QIO_35a81303.bin", 0x11000)WriteImage(0,"OpenBK7231T_QIO_1.17.308.bin", 0x1100)#WriteImage(0x11000,"REST.bin", 0x200000)
# I used this to verify my code and it workReadStart(0,"tstReadS.bin", 0x1100)print("It's finished")

二、总结

1、程序写的很粗糙,只是跑通了读写。

2、关于CH347,需要有CH347DLLA64.DLL动态库的支持,可以从官网上下。

3、手头没有BK7231,没有去调烧写BK7231。

4、博通集成家的芯片一般都是要SPI烧写,如果BK7231调通了,其他应该也差不多。就怕其他型号芯片进入SPI 烧写步骤还有FLASH型号和bk7231有差异,那样可能就很难搞了。

 

 

 

 

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/171404.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

哈希思想的应用

目录 1.位图 位图的实现 题目变形一 题目变形二 题目变形三 总结&#xff1a; 2.布隆过滤器 概念 布隆过滤器的实现 3.哈希切割的思想 1.位图 哈希表和位图是数据结构中常用的两种技术。哈希表是一种数据结构&#xff0c;通过哈希函数把数据和位置进行映射&#xff0c…

前缀和+哈希表——525. 连续数组

文章目录 ⛏1. 题目&#x1f5e1;2. 算法原理⚔解法一&#xff1a;暴力枚举⚔解法二&#xff1a;前缀和哈希表 ⚒3. 代码实现 ⛏1. 题目 题目链接&#xff1a;525. 连续数组 - 力扣&#xff08;LeetCode&#xff09; 给定一个二进制数组 nums , 找到含有相同数量的 0 和 1 的最…

SQL Server秘籍:数据分隔解密,数据库处理新境界!

点击上方蓝字关注我 在数据数据过程中经常会遇到数据按照一定字符进行拆分&#xff0c;而在不同版本的SQL SERVER数据库中由于包含的函数不同&#xff0c;处理的方式也不一样。本文将列举2个版本的数据库中不同的处理方法。 1. 使用 XML 方法 在SQL SERVER 2016版本之前&#x…

中东客户亲临广东育菁装备参观桌面型数控机床生产

近日&#xff0c;中东地区的一位重要客户在广东育菁装备有限公司的热情接待下&#xff0c;深入了解了该公司生产的桌面型数控机床。这次会面不仅加强了双方在业务领域的交流&#xff0c;也为中国与中东地区的经济合作描绘出更美好的前景。 在育菁装备公司各部门主要负责人及工作…

2018年2月26日 Go生态洞察:2017年Go用户调查结果分析

&#x1f337;&#x1f341; 博主猫头虎&#xff08;&#x1f405;&#x1f43e;&#xff09;带您 Go to New World✨&#x1f341; &#x1f984; 博客首页——&#x1f405;&#x1f43e;猫头虎的博客&#x1f390; &#x1f433; 《面试题大全专栏》 &#x1f995; 文章图文…

【解答】关于Linux内核的一些疑问

GNU计划是什么 GNU计划是由理查德斯托曼在1983年9月27日公开发起的自由软件集体协作计划&#xff0c;其目标是创建一套完全自由的操作系统GNU。这个操作系统的内容软件完全以GPL方式发布&#xff0c;意味着用户拥有运行、复制、分发、学习、修改和改进该软件的自由。 GNU的命名…

手机技巧:安卓微信8.0.44测试版功能介绍

目录 一、更新介绍 二、功能更新介绍 拍一拍撤回功能 聊天设置界面文案优化 关怀模式新增了非常实用的安静模式 微信设置中新增翻译设置选项 近期腾讯官方终于发布了安卓微信8.0.44测试版&#xff0c;今天小编继续给大家介绍一个本次安卓微信8.0.44测试版本更新的内容&am…

《大话设计模式》(持续更新中)

《大话设计模式》 序 为什么要学设计模式第0章 面向对象基础什么是对象&#xff1f;什么是类&#xff1f;什么是构造方法&#xff1f;什么是重载&#xff1f;属性与字段有什么区别&#xff1f;什么是封装&#xff1f;什么是继承&#xff1f;什么是多态&#xff1f;抽象类的目的…

Android 9.0 删除录音机

Android 9.0 删除录音机 最近收到客户反馈需要去掉内置的录音机&#xff0c;具体修改参照如下&#xff1a; /project/ProjectConfig.mk&#xff1a; MTK_SOUNDRECORDER_APP no FREEME_PACKAGE_OVERRIDES SoundRecorder2 需要在/out/target/product/目录下检索"Sound…

一次【自定义编辑器功能脚本】【调用时内存爆仓】事故排查

一 、事故描述 我有一个需求&#xff1a;在工程文件中找得到所有的图片&#xff08;Texture 2D&#xff09;&#xff0c;然后把WebGL发布打包时的图片压缩规则进行修改。 项目中有图片2千多张&#xff0c;其中2k分辨率的图片上百张&#xff0c;当我右键进行批量处理的时候&…

基于SSM的教师信息管理系统

文章目录 项目介绍主要功能截图:部分代码展示设计总结项目获取方式🍅 作者主页:超级无敌暴龙战士塔塔开 🍅 简介:Java领域优质创作者🏆、 简历模板、学习资料、面试题库【关注我,都给你】 🍅文末获取源码联系🍅 项目介绍 基于SSM的教师信息管理系统,java项目。 …

字符串原地旋转

记录一下做的练习题 字符串原地旋转&#xff1a;五 三 mat [[1,2,3],[3,4,5],[4,5,6]] tag0 total 0 for i in mat:total total i[tag]tag 1 print(total) 四 X [[12,7,3],[4,5,6],[7,8,9]] Y [[5,8,1],[6,7,3],[4,5,9]] res [[0,0,0],[0,0,0],[0,0,0]] for i in rang…

如何快速搭建一个大模型?简单的UI实现

&#x1f525;博客主页&#xff1a;真的睡不醒 &#x1f680;系列专栏&#xff1a;深度学习环境搭建、环境配置问题解决、自然语言处理、语音信号处理、项目开发 &#x1f498;每日语录&#xff1a;相信自己&#xff0c;一路风景一路歌&#xff0c;人生之美&#xff0c;正在于…

makefile编写练习

makefile编写练习 OVERVIEW makefile编写练习文件结构直接编译整个项目并运行将项目制作成为静态库将项目制作成为动态库 编写makefile文件来编译带头文件的程序&#xff0c; 文件结构 初始项目文件结构&#xff0c;如下所示&#xff1a; #ifndef ADD_HPP #define ADD_HPPint…

乘波前行的问题

1.问题&#xff1a; 考虑两个信号叠加在一起&#xff0c;比如&#xff0c;一个是工频信号50Hz&#xff0c;一个是叠加的高频信号比如有3KHz&#xff0c;简单起见&#xff0c;两个信号都是幅值固定的标准的正弦波&#xff0c;现在我们期望得到那个高频信号&#xff0c;相对工频…

Royal TSX v6.0.1

Royal TSX是一款基于插件的软件&#xff0c;适用于Windows系统&#xff0c;可以用于远程连接和管理服务器。它支持多种连接类型&#xff0c;如RDP、VNC、基于SSH连接的终端&#xff0c;SFTP/FTP/SCP或基于Web的连接管理。 在安装Royal TSX后&#xff0c;需要进行一些基础配置&…

如何停止输出“下载存储库‘rhel-8-for-x86_64-appstream-rpms’元数据时出错”错误?

问题 dnf[XXX]&#xff1a;下载存储库“rhel-8-for-x86_64-appstream-rpms”元数据时出错&#xff1a;如何禁用 dnf-makecache&#xff1f; 解决 离线系统无法下载元数据存储库&#xff0c;然后输出错误。 有两种方法可以阻止错误。 A) 在 /etc/dnf/dnf.conf 中添加以下行。…

C++中声明友元

C中声明友元 不能从外部访问类的私有数据成员和方法&#xff0c;但这条规则不适用于友元类和友元函数。要声明友元 类或友元函数&#xff0c;可使用关键字 friend&#xff0c;如以下示例程序所示&#xff1a; 使用关键字 friend 让外部函数 DisplayAge( )能够访问私有数据成员…

2023人形机器人行业海外科技研究:从谷歌看机器人大模型进展

今天分享的是人形机器人系列深度研究报告&#xff1a;《2023人形机器人行业海外科技研究&#xff1a;从谷歌看机器人大模型进展》。 &#xff08;报告出品方&#xff1a;华鑫证券&#xff09; 报告共计&#xff1a;26页 大模型是人形机器人的必备要素 长期来看&#xff0c;人…

openEuler 22.03 LTS x86_64 cephadm 部署ceph 16.2.14 未完成 笔记

环境 准备三台虚拟机 10.47.76.94 node-1 10.47.76.95 node-2 10.47.76.96 node-3 下载cephadm [rootnode-1 ~]# yum install cephadm Last metadata expiration check: 0:11:31 ago on Tue 21 Nov 2023 10:00:20 AM CST. Dependencies resolved. Package …