OpenRAM/compiler/router/supply_tree_router.py

194 lines
7.8 KiB
Python
Raw Normal View History

2019-05-28 02:38:59 +02:00
# See LICENSE for licensing information.
#
2021-01-22 20:23:28 +01:00
# Copyright (c) 2016-2021 Regents of the University of California and The Board
# of Regents for the Oklahoma Agricultural and Mechanical College
# (acting for and on behalf of Oklahoma State University)
# All rights reserved.
2019-05-28 02:38:59 +02:00
#
import debug
2020-12-17 01:42:19 +01:00
from globals import print_time
2019-05-28 02:38:59 +02:00
from router import router
from datetime import datetime
import grid_utils
2020-12-17 01:42:19 +01:00
from scipy.sparse import csr_matrix
from scipy.sparse.csgraph import minimum_spanning_tree
from signal_grid import signal_grid
2021-01-15 22:25:57 +01:00
2019-05-28 02:38:59 +02:00
class supply_tree_router(router):
"""
A router class to read an obstruction map from a gds and
routes a grid to connect the supply on the two layers.
"""
2021-05-25 22:23:39 +02:00
def __init__(self, layers, design, bbox=None, pin_type=None):
2019-05-28 02:38:59 +02:00
"""
This will route on layers in design. It will get the blockages from
either the gds file name or the design itself (by saving to a gds file).
"""
# Power rail width in minimum wire widths
2021-01-15 22:25:57 +01:00
# This is set to match the signal router so that the grids are aligned
# for prettier routes.
self.route_track_width = 1
2019-05-28 02:38:59 +02:00
# The pin escape router already made the bounding box big enough,
# so we can use the regular bbox here.
2021-05-25 22:23:39 +02:00
if pin_type:
debug.check(pin_type in ["left", "right", "top", "bottom", "single", "ring"],
2021-05-27 02:46:41 +02:00
"Invalid pin type {}".format(pin_type))
2021-05-25 22:23:39 +02:00
self.pin_type = pin_type
router.__init__(self,
layers,
design,
bbox=bbox,
route_track_width=self.route_track_width)
2020-11-03 15:29:17 +01:00
2019-05-28 02:38:59 +02:00
def route(self, vdd_name="vdd", gnd_name="gnd"):
2020-11-03 15:29:17 +01:00
"""
Route the two nets in a single layer.
Setting pin stripe will make a power rail on the left side.
2019-05-28 02:38:59 +02:00
"""
2021-02-23 22:33:14 +01:00
debug.info(1, "Running supply router on {0} and {1}...".format(vdd_name, gnd_name))
2019-05-28 02:38:59 +02:00
self.vdd_name = vdd_name
self.gnd_name = gnd_name
# Clear the pins if we have previously routed
2021-02-23 22:33:14 +01:00
if (hasattr(self, 'rg')):
2019-05-28 02:38:59 +02:00
self.clear_pins()
else:
# Creat a routing grid over the entire area
# FIXME: This could be created only over the routing region,
# but this is simplest for now.
2021-01-15 22:25:57 +01:00
self.create_routing_grid(signal_grid)
2019-05-28 02:38:59 +02:00
start_time = datetime.now()
# Get the pin shapes
2019-05-28 02:38:59 +02:00
self.find_pins_and_blockages([self.vdd_name, self.gnd_name])
2021-02-23 22:33:14 +01:00
print_time("Finding pins and blockages", datetime.now(), start_time, 3)
2019-05-28 02:38:59 +02:00
# Add side pins if enabled
2021-05-26 01:00:05 +02:00
if self.pin_type in ["left", "right", "top", "bottom"]:
self.add_side_supply_pin(self.vdd_name, side=self.pin_type)
self.add_side_supply_pin(self.gnd_name, side=self.pin_type)
2021-05-25 22:23:39 +02:00
elif self.pin_type == "ring":
self.add_ring_supply_pin(self.vdd_name)
self.add_ring_supply_pin(self.gnd_name)
2019-05-28 02:38:59 +02:00
# Route the supply pins to the supply rails
# Route vdd first since we want it to be shorter
start_time = datetime.now()
self.route_pins(vdd_name)
self.route_pins(gnd_name)
2021-02-23 22:33:14 +01:00
print_time("Maze routing supplies", datetime.now(), start_time, 3)
2019-05-31 17:43:37 +02:00
# self.write_debug_gds("final_tree_router.gds",False)
2019-05-28 02:38:59 +02:00
# Did we route everything??
if not self.check_all_routed(vdd_name):
return False
if not self.check_all_routed(gnd_name):
return False
2020-11-03 15:29:17 +01:00
2019-05-28 02:38:59 +02:00
return True
def route_pins(self, pin_name):
"""
This will route each of the remaining pin components to the other pins.
After it is done, the cells are added to the pin blockage list.
"""
remaining_components = sum(not x.is_routed() for x in self.pin_groups[pin_name])
2021-03-24 19:15:59 +01:00
debug.info(1, "Routing {0} with {1} pins.".format(pin_name,
remaining_components))
2019-05-28 02:38:59 +02:00
2020-12-17 01:42:19 +01:00
# Create full graph
2021-02-23 22:33:14 +01:00
debug.info(2, "Creating adjacency matrix")
2020-12-17 01:42:19 +01:00
pin_size = len(self.pin_groups[pin_name])
adj_matrix = [[0] * pin_size for i in range(pin_size)]
for index1, pg1 in enumerate(self.pin_groups[pin_name]):
for index2, pg2 in enumerate(self.pin_groups[pin_name]):
2020-12-17 01:42:19 +01:00
if index1>=index2:
continue
dist = int(grid_utils.distance_set(list(pg1.grids)[0], pg2.grids))
adj_matrix[index1][index2] = dist
# Find MST
debug.info(2, "Finding Minimum Spanning Tree")
2020-12-17 01:42:19 +01:00
X = csr_matrix(adj_matrix)
2021-05-07 02:14:27 +02:00
from scipy.sparse import save_npz
#print("Saving {}.npz".format(self.cell.name))
#save_npz("{}.npz".format(self.cell.name), X)
#exit(1)
2020-12-17 01:42:19 +01:00
Tcsr = minimum_spanning_tree(X)
mst = Tcsr.toarray().astype(int)
connections = []
for x in range(pin_size):
for y in range(pin_size):
if x >= y:
continue
if mst[x][y]>0:
connections.append((x, y))
2020-12-17 01:42:19 +01:00
# Route MST components
2021-03-24 19:15:59 +01:00
for index, (src, dest) in enumerate(connections):
if not (index % 100):
2021-03-31 18:38:06 +02:00
debug.info(1, "{0} supply segments routed, {1} remaining.".format(index, len(connections) - index))
2020-12-17 01:42:19 +01:00
self.route_signal(pin_name, src, dest)
# if pin_name == "gnd":
# print("\nSRC {}: ".format(src) + str(self.pin_groups[pin_name][src].grids) + str(self.pin_groups[pin_name][src].blockages))
# print("DST {}: ".format(dest) + str(self.pin_groups[pin_name][dest].grids) + str(self.pin_groups[pin_name][dest].blockages))
# self.write_debug_gds("post_{0}_{1}.gds".format(src, dest), False)
2020-12-17 01:42:19 +01:00
#self.write_debug_gds("final.gds", True)
2021-01-15 22:25:57 +01:00
#return
2020-12-17 01:42:19 +01:00
def route_signal(self, pin_name, src_idx, dest_idx):
# First pass, try to route normally
# Second pass, clear prior pin blockages so that you can route over other metal
# of the same supply. Otherwise, this can create a lot of circular routes due to accidental overlaps.
for unblock_routes in [False, True]:
for detour_scale in [5 * pow(2, x) for x in range(5)]:
debug.info(2, "Routing {0} to {1} with scale {2}".format(src_idx, dest_idx, detour_scale))
2020-12-17 01:42:19 +01:00
# Clear everything in the routing grid.
self.rg.reinit()
# This is inefficient since it is non-incremental, but it was
# easier to debug.
self.prepare_blockages()
if unblock_routes:
msg = "Unblocking supply self blockages to improve access (may cause DRC errors):\n{0}\n{1})"
debug.warning(msg.format(pin_name,
self.pin_groups[pin_name][src_idx].pins))
self.set_blockages(self.path_blockages, False)
2020-12-17 01:42:19 +01:00
# Add the single component of the pin as the source
# which unmarks it as a blockage too
self.add_pin_component_source(pin_name, src_idx)
2020-12-17 01:42:19 +01:00
# Marks all pin components except index as target
2021-02-23 22:33:14 +01:00
# which unmarks it as a blockage too
self.add_pin_component_target(pin_name, dest_idx)
2019-05-28 02:38:59 +02:00
# Actually run the A* router
if self.run_router(detour_scale=detour_scale):
return
self.write_debug_gds("debug_route.gds", True)
2020-11-03 15:29:17 +01:00
def add_io_pin(self, instance, pin_name, new_name=""):
"""
Add a signle input or output pin up to metal 3.
"""
pin = instance.get_pins(pin_name)
if new_name == "":
new_name = pin_name
# Just use the power pin function for now to save code
self.add_power_pin(name=new_name, loc=pin.center(), start_layer=pin.layer)