我正在尝试创建一个python库,使用 myHDL 1.0dev
使用pySerial在PC和FPGA之间动态创建UART接口它采用数据类型及其属性的名称,并实例化RAM块,并允许访问PC上的读/写命令。但是,我遇到了动态连接RAM的问题。
对于一个最小的工作示例,我有这两个类。
class RamBus(object):
def __init__(self):
self.clk = Signal(bool(0))
class UartBus(object):
def __init__(self):
self.interfaces = dict()
def add(self, name, bus):
self.interfaces[name] = bus
setattr(self,name,bus)
UartBus用于保存许多RamBuses。现在,我将尝试使用arbiter
块动态连接它们。
@block
def arbiter(clk,uartbus):
modules = []
for key in uartbus.interfaces:
print key
@block
def electrician(rambus=uartbus.interfaces[key]):
@always_comb
def wiring():
rambus.clk.next = clk
return wiring
f = electrician
modules.append(electrician())
return modules
如果我使用此代码转换它,我会得到错误的转换
uartbus = UartBus()
uartbus.add('power',RamBus())
uartbus.add('freq',RamBus())
#attempt conversion
clk = Signal(bool(0))
arbiter(clk,uartbus).convert()
这是不正确的verilog。
`timescale 1ns/10ps
module arbiter (
clk
);
input clk;
wire electrician_0_rambus_clk;
wire electrician_0_rambus_clk;
assign electrician_0_rambus_clk = clk;
assign electrician_0_rambus_clk = clk;
endmodule
两根电线都有相同的名字!在@always_comb中使用字典不起作用,因为到目前为止,任何版本的myHDL都不支持字典进行转换。如何正确实现动态布线?
答案 0 :(得分:2)
所以当我写这篇文章的时候,我找到了答案,因为我认为这是一个有用的技巧,我知道无论如何我决定发布这个问题。
@block
def arbiter(clk,uartbus):
modules = []
for key in uartbus.interfaces:
#note that there is no @block here!
def electrician(rambus=uartbus.interfaces[key]):
@always_comb
def wiring():
rambus.clk.next = clk
return wiring
#here we can redefine the name that electrician
#has so that myHDL converts it with that name.
electrician.func_name = key
#then we apply the block decorator
electrician = block(electrician)
modules.append(electrician())
print key
return modules
这是正确的verilog。
// File: arbiter.v
// Generated by MyHDL 1.0dev
// Date: Tue Jun 28 14:03:01 2016
`timescale 1ns/10ps
module arbiter (
clk
);
input clk;
wire freq_0_rambus_clk;
wire power_0_rambus_clk;
assign freq_0_rambus_clk = clk;
assign power_0_rambus_clk = clk;
endmodule