sn3871
py
keyboard_arrow_up
School
New York University *
*We aren’t endorsed by this school
Course
6913
Subject
Electrical Engineering
Date
Jan 9, 2024
Type
py
Pages
14
Uploaded by JudgeHerring1504
import os
import argparse
MemSize = 1000 # memory size, in reality, the memory size should be 2^32, but for
this lab, for the space resaon, we keep it as this large number, but the memory is
still 32-bit addressable.
def convertBinary(n, bits):
s = bin(n & int("1"*bits, 2))[2:]
return ("{0:0>%s}" % (bits)).format(s)
def twosCompBinary(bin, digit):
while len(bin) < digit :
bin = '0' + bin
if bin[0] == '0':
return int(bin, 2)
else:
return -1 * (int(''.join('1' if x == '0' else '0' for x in bin), 2)
+ 1)
class InsMem(object):
def _init_(self, name, ioDir, opDir):
self.id = name
os.path.join(ioDir,"input")
with open(ioDir + "/imem.txt") as im:
self.IMem = [data.replace("\n", "") for data in im.readlines()]
def readInstr(self, ReadAddress):
#read instruction memory
#return 32 bit hex val
address = ReadAddress - ReadAddress%4
return "".join(self.IMem[address:address+4])
class DataMem(object):
def _init_(self, name, ioDir, opDir):
self.id = name
self.ioDir = ioDir
self.opDir = opDir
with open(ioDir + "/dmem.txt") as dm:
self.DMem = [data.replace("\n", "") for data in dm.readlines()]
self.DMem.extend(['00000000' for i in range(MemSize-len(self.DMem))])
def readDataMem(self, ReadAddress):
#read data memory
#return 32 bit hex val
address = ReadAddress - ReadAddress % 4
return int("".join(self.DMem[address:address+4]),2)
def writeDataMem(self, address, WriteData):
# write data into byte addressable memory
WriteData = convertBinary(WriteData,32)
newAddress = address - address % 4
for i in range(4):
self.DMem[newAddress+i] = WriteData[8*i:8*i+8]
pass
def outputDataMem(self):
resPath = os.path.join(self.opDir)
resPath = os.path.join(resPath,self.id +"_DMEMResult.txt")
with open(resPath, "w") as rp:
rp.writelines([str(data) + "\n" for data in self.DMem])
class RegisterFile(object):
def _init_(self, opDir):
self.outputFile = os.path.join(opDir,"SS_"+"RFResult.txt")
self.Registers = ["".join(["0" for x in range(32)]) for i in range(32)]
def readRF(self, Reg_addr):
return int(self.Registers[Reg_addr],2)
def writeRF(self, Reg_addr, Wrt_reg_data):
if Reg_addr == 0:
return
self.Registers[Reg_addr] = convertBinary(Wrt_reg_data,32)
pass
def outputRF(self, cycle):
op = ["-"*70+"\n", "State of RF after executing cycle:" + str(cycle) +
"\n"]
op.extend([str(val)+"\n" for val in self.Registers])
if(cycle == 0): perm = "w"
else: perm = "a"
with open(self.outputFile, perm) as file:
file.writelines(op)
class State(object):
def _init_(self):
self.IF = {"nop": True, "PC": 0}
self.ID = {"nop": True, "Instr": 0}
self.EX = {"nop": True, "Read_data1": 0, "Read_data2": 0, "Imm": 0, "Rs":
0, "Rt": 0, "Wrt_reg_addr": 0, "is_I_type": False, "rd_mem": 0,
"wrt_mem": 0, "alu_op": 0, "wrt_enable": 0}
self.MEM = {"nop": True, "ALUresult": 0, "Store_data": 0, "Rs": 0, "Rt": 0,
"Wrt_reg_addr": 0, "rd_mem": 0,
"wrt_mem": 0, "wrt_enable": 0}
self.WB = {"nop": True, "Wrt_data": 0, "Rs": 0, "Rt": 0, "Wrt_reg_addr": 0,
"wrt_enable": 0}
class registerPipeline(object):
def _init_(self):
self.IF_ID={"PC":0, "rawInstruction":0}
self.ID_EX={"PC":0, "instruction":0, "rs":0 , "rt":0}
self.EX_MEM={"PC":0, "instruction":0,
"ALUresult": 0, "rt":0}
self.MEM_WB={"PC":0, "instruction":0,
"Wrt_data": 0,"ALUresult": 0,
"rt":0}
class checkHazards():
def hazardRegWrite(self,pr:registerPipeline, rs):
return rs!=0 and pr.MEM_WB["instruction"] and pr.MEM_WB["instruction"]
["registerWrite"] and pr.MEM_WB["instruction"]["Wrt_reg_addr"]==rs
def hazardLoad(self,pr: registerPipeline, rs1, rs2):
return pr.ID_EX["instruction"] and pr.ID_EX["instruction"]["rd_mem"] and \
(pr.ID_EX["instruction"]["Wrt_reg_addr"]==int(rs1,2) or
pr.ID_EX["instruction"]["Wrt_reg_addr"]==int(rs2,2))
def hazardMEM(self,pr:registerPipeline, rs):
return
pr.MEM_WB["instruction"] and pr.MEM_WB["instruction"]
["registerWrite"] and \
pr.MEM_WB["instruction"]["Wrt_reg_addr"]!=0 and \
pr.MEM_WB["instruction"]["Wrt_reg_addr"]==rs
def hazardEX(self,pr:registerPipeline, rs):
return
pr.EX_MEM["instruction"] and pr.EX_MEM["instruction"]
["registerWrite"] and not pr.EX_MEM["instruction"]["rd_mem"] and\
pr.EX_MEM["instruction"]["Wrt_reg_addr"]!=0 and \
pr.EX_MEM["instruction"]["Wrt_reg_addr"] == rs
class Core(object):
def _init_(self, ioDir, opDir, imem, dmem):
self.myRF = RegisterFile(opDir)
self.cycle = 0
self.halted = False
self.ioDir = ioDir
self.opDir = opDir
self.state = State()
self.nextState = State()
self.ext_imem = imem
self.ext_dmem = dmem
self.state.IF["nop"] = False
self.regPipeline = registerPipeline()
self.checkHazards = checkHazards()
class SingleStageCore(Core):
def _init_(self, ioDir, opDir, imem, dmem):
super(SingleStageCore, self)._init(ioDir + "/SS",opDir, imem, dmem)
self.opFilePath = opDir + "/StateResult_SS.txt"
def writeBack(self):
if not self.state.WB["nop"]:
if self.state.WB["registerWrite"]:
Reg_addr = self.state.WB["Wrt_reg_addr"]
if self.state.EX["memReg"]:
Wrt_reg_data = self.state.MEM["Wrt_data"]
else:
Wrt_reg_data = self.state.MEM["ALUresult"]
self.myRF.writeRF(Reg_addr,Wrt_reg_data)
def loadStore(self):
self.state.WB["nop"] = self.state.MEM["nop"]
if not self.state.MEM["nop"]:
if self.state.MEM["wrt_mem"]:
writeData = self.state.EX["Read_data2"]
writeAddress = self.state.MEM["ALUresult"]
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
self.ext_dmem.writeDataMem(writeAddress,writeData)
if self.state.MEM["rd_mem"]:
readAddress = self.state.MEM["ALUresult"]
self.state.MEM["Wrt_data"] = self.ext_dmem.readDataMem(readAddress)
self.state.MEM["Wrt_reg_addr"] = self.state.EX["Wrt_reg_addr"]
self.state.WB["registerWrite"] = self.state.EX["registerWrite"]
self.state.WB["Wrt_reg_addr"] = self.state.MEM["Wrt_reg_addr"]
else:
self.state.WB["nop"] = True
def instructionExecute(self):
self.state.MEM["nop"] = self.state.EX["nop"]
if not self.state.EX["nop"]:
if self.state.EX["imm"] != "X":
op2 = self.state.EX["imm"]
else:
op2 = self.state.EX["Read_data2"]
#addition
if self.state.EX["aluControl"] == "0010":
self.state.MEM["ALUresult"] = self.state.EX["Read_data1"] + op2
#subtraction
if self.state.EX["aluControl"] == "0110":
self.state.MEM["ALUresult"] = self.state.EX["Read_data1"] - op2
#and operation
if self.state.EX["aluControl"] == "0000":
self.state.MEM["ALUresult"] = self.state.EX["Read_data1"] & op2
#or operation
if self.state.EX["aluControl"] == "0001":
self.state.MEM["ALUresult"]=self.state.EX["Read_data1"] | op2
#xor operation
if self.state.EX["aluControl"] == "0011":
self.state.MEM["ALUresult"] = self.state.EX["Read_data1"] ^ op2
#branch
if self.state.EX["branch"]:
if self.state.EX["func3"] == "000" and self.state.MEM["ALUresult"]
== 0:
self.nextState.IF["PC"] = self.state.IF["PC"] +
(self.state.EX["pcJump"])
self.nextState.IF["nop"] = False
self.state.MEM["nop"] = True
elif self.state.EX["func3"] == "001" and
self.state.MEM["ALUresult"] != 0:
self.nextState.IF["PC"] = self.state.IF["PC"] +
(self.state.EX["pcJump"])
self.nextState.IF["nop"] = False
self.state.MEM["nop"] = True
elif self.state.EX["func3"] == "X" :
self.nextState.IF["nop"] = False
self.nextState.IF["PC"] = self.state.IF["PC"] +
(self.state.EX["pcJump"])
self.state.MEM["rd_mem"] = self.state.EX["rd_mem"]
self.state.MEM["wrt_mem"] = self.state.EX["wrt_mem"]
def instructionDecode(self):
self.state.EX["nop"] = self.state.ID["nop"]
if not self.state.ID["nop"]:
instructionReverse = self.state.ID["Instr"][::-1]
opcode = instructionReverse[0:7]
#R-type instruction
if opcode == "1100110":
rs1 = instructionReverse[15:20][::-1]
rs2 = instructionReverse[20:25][::-1]
rd = instructionReverse[7:12][::-1]
func7 = instructionReverse[25:32][::-1]
func3 = instructionReverse[12:15][::-1] + func7[1]
aluContol = {"0000":"0010", "0001":"0110", "1110":"0000",
"1100":"0001", "1000":"0011"}
self.state.EX = {"nop": False, "Read_data1":
self.myRF.readRF(int(rs1,2)), "Read_data2": self.myRF.readRF(int(rs2,2)),
"imm":"X", "Rs": 0, "Rt": 0, "pcJump": 0,
"is_I_type": False, "rd_mem": 0,
"aluSource":0, "aluControl":aluContol[func3], "alu_op": "10",
"Wrt_reg_addr": int(rd,2), "wrt_mem": 0,
"registerWrite": 1, "branch":0, "memReg":0}
#I-type instruction
if opcode == "1100100":
rs1 = instructionReverse[15:20][::-1]
imm = instructionReverse[20:32][::-1]
rd = instructionReverse[7:12][::-1]
func3 = instructionReverse[12:15][::-1]
aluContol = {"000":"0010", "111":"0000", "110":"0001",
"100":"0011"}
self.state.EX = {"nop": False, "Read_data1":
self.myRF.readRF(int(rs1,2)), "Read_data2": 0,
"imm": twosCompBinary(imm,12), "Rs": 0,
"Rt": 0, "pcJump": 0,
"is_I_type": True, "rd_mem": 0,
"aluSource":1, "aluControl":aluContol[func3], "alu_op": "00",
"Wrt_reg_addr": int(rd,2), "wrt_mem": 0,
"registerWrite": 1,"branch":0,"memReg":0}
#I-type instruction
if opcode == "1100000":
rs1 = instructionReverse[15:20][::-1]
imm = instructionReverse[20:32][::-1]
rd = instructionReverse[7:12][::-1]
self.state.EX = {"nop": False, "Read_data1":
self.myRF.readRF(int(rs1,2)), "Read_data2": 0,
"imm":twosCompBinary(imm,12), "Rs": 0,
"Rt": 0, "pcJump": 0,
"is_I_type": False, "rd_mem": 1,
"aluSource":1, "aluControl":"0010", "alu_op": "00",
"Wrt_reg_addr": int(rd,2), "wrt_mem": 0,
"registerWrite": 1, "branch":0, "memReg":1}
#S-type instruction
if opcode == "1100010":
rs1 = instructionReverse[15:20][::-1]
rs2 = instructionReverse[20:25][::-1]
imm = instructionReverse[7:12] + instructionReverse[25:32]
imm = imm[::-1]
self.state.EX = {"nop": False, "Read_data1":
self.myRF.readRF(int(rs1,2)), "Read_data2": self.myRF.readRF(int(rs2,2)),
"imm":int(imm,2), "Rs": 0, "Rt": 0,
"pcJump": 0,
"is_I_type": False, "rd_mem": 0,
"aluSource":1, "aluControl":"0010", "alu_op": "00",
"Wrt_reg_addr": "X", "wrt_mem": 1,
"registerWrite": 0, "branch":0, "memReg":"X"}
#SB-type instruction
if opcode == "1100011":
rs1 = instructionReverse[15:20][::-1]
rs2 = instructionReverse[20:25][::-1]
imm = "0" + instructionReverse[8:12] + instructionReverse[25:31] +
instructionReverse[7] + instructionReverse[31]#check
imm = imm[::-1]
func3 = instructionReverse[12:15][::-1]
self.state.EX = {"nop": False, "Read_data1":
self.myRF.readRF(int(rs1,2)), "Read_data2": self.myRF.readRF(int(rs2,2)),
"imm":"X", "Rs": 0, "Rt": 0, "pcJump":
twosCompBinary(imm,13),
"is_I_type": False, "rd_mem": 0,
"aluSource":0, "aluControl":"0110", "alu_op": "01",
"Wrt_reg_addr": "X", "wrt_mem": 0,
"registerWrite": 0, "branch":1, "memReg":"X", "func3":func3}
#UJ-type instruction
if opcode == "1111011":
rs1 = instructionReverse[15:20][::-1]
rd = instructionReverse[7:12][::-1]
imm = "0" + instructionReverse[21:31] + instructionReverse[20] +
instructionReverse[12:20]
+ instructionReverse[31] #check
imm = imm[::-1]
self.state.EX = {"nop": False, "Read_data1": self.state.IF['PC'],
"Read_data2": 4,
"imm":"X", "Rs": 0, "Rt": 0, "pcJump":
twosCompBinary(imm,21),
"is_I_type": False, "rd_mem": 0,
"aluSource":1, "aluControl":"0010", "alu_op": "10",
"Wrt_reg_addr": int(rd,2), "wrt_mem": 0,
"registerWrite": 1, "branch":1, "memReg":0, "func3":"X"}
def instructionFetch(self):
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
self.state.ID["Instr"] = self.ext_imem.readInstr(self.state.IF["PC"])
instructionReverse = self.state.ID["Instr"][::-1]
opcode = instructionReverse[0:7]
if opcode=="1111111":
self.nextState.IF["PC"] = self.state.IF["PC"]
self.nextState.IF["nop" ] = True
else:
self.nextState.IF["nop"] = False
self.nextState.IF["PC"] = self.state.IF["PC"] + 4
self.state.ID["nop"] = False
def step(self):
# Your implementation
self.instructionFetch()
self.instructionDecode()
self.instructionExecute()
self.loadStore()
self.writeBack()
if self.state.IF["nop"]:
self.halted = True
self.myRF.outputRF(self.cycle)
self.printState(self.nextState, self.cycle)
self.state = self.nextState
self.nextState=State()
self.cycle += 1
return self.cycle
def printState(self, state, cycle):
printstate = ["-"*70+"\n", "State after executing cycle: " + str(cycle) +
"\n"]
printstate.append("IF.PC: " + str(state.IF["PC"]) + "\n")
printstate.append("IF.nop: " + str(state.IF["nop"]) + "\n")
if(cycle == 0): perm = "w"
else: perm = "a"
with open(self.opFilePath, perm) as wf:
wf.writelines(printstate)
class FiveStageCore(Core):
def _init_(self, ioDir,opDir, imem, dmem):
super(FiveStageCore, self)._init(ioDir + "/FS",opDir, imem, dmem)
self.opFilePath = opDir + "/StateResult_FS.txt"
def writeBack(self):
if not self.state.WB["nop"]:
instruction = self.regPipeline.MEM_WB["instruction"]
if instruction["registerWrite"]:
Reg_addr = instruction["Wrt_reg_addr"]
Wrt_reg_data =
self.regPipeline.MEM_WB["Wrt_data"]
self.myRF.writeRF(Reg_addr,Wrt_reg_data)
def loadStore(self):
self.nextState.WB["nop"]=self.state.MEM["nop"]
if not self.state.MEM["nop"]:
pc = self.regPipeline.EX_MEM["PC"]
instruction = self.regPipeline.EX_MEM["instruction"]
alu_result = self.regPipeline.EX_MEM["ALUresult"]
rs2 = self.regPipeline.EX_MEM["Rs2"]
if instruction["wrt_mem"]:
writeData = self.myRF.readRF(rs2)
writeAddress = alu_result
self.ext_dmem.writeDataMem(writeAddress,writeData)
if instruction["rd_mem"]:
readAddress = alu_result
wrt_mem_data = self.ext_dmem.readDataMem(readAddress)
if instruction["memReg"] == 1:
self.regPipeline.MEM_WB["Wrt_data"] = wrt_mem_data
else:
self.regPipeline.MEM_WB["Wrt_data"] = alu_result
self.regPipeline.MEM_WB["PC"] = pc
self.regPipeline.MEM_WB["instruction"] = instruction
def instructionExecute(self):
self.nextState.MEM["nop"] = self.state.EX["nop"]
if not self.state.EX["nop"]:
pc = self.regPipeline.ID_EX["PC"]
instruction = self.regPipeline.ID_EX["instruction"]
rs2 = self.regPipeline.ID_EX["Rs2"]
self.state.EX = self.regPipeline.ID_EX["instruction"]
if self.state.EX["imm"] != "X":
op2 = self.state.EX["imm"]
else:
op2 = self.state.EX["Read_data2"]
#addition
if self.state.EX["aluControl"] == "0010":
alu_result = self.state.EX["Read_data1"] + op2
#subtraction
if self.state.EX["aluControl"] == "0110":
alu_result = self.state.EX["Read_data1"] - op2
#and operation
if self.state.EX["aluControl"] == "0000":
alu_result = self.state.EX["Read_data1"] & op2
#or operation
if self.state.EX["aluControl"] == "0001":
alu_result = self.state.EX["Read_data1"] | op2
#xor operation
if self.state.EX["aluControl"] == "0011":
alu_result = self.state.EX["Read_data1"] ^ op2
self.regPipeline.EX_MEM["PC"] = pc
self.regPipeline.EX_MEM["instruction"] = instruction
self.regPipeline.EX_MEM["ALUresult"] = alu_result
self.regPipeline.EX_MEM["Rs2"] = rs2
def instructionDecode(self):
self.nextState.EX["nop"] = self.state.ID["nop"]
if not self.state.ID["nop"]:
instructionReverse=self.regPipeline.IF_ID["rawInstruction"][::-1]
self.regPipeline.ID_EX["PC"]=self.regPipeline.IF_ID["PC"]
pc = self.regPipeline.IF_ID["PC"]
opcode = instructionReverse[0:7]
#R-type instruction
if opcode == "1100110":
rs1 = instructionReverse[15:20][::-1]
rs2 = instructionReverse[20:25][::-1]
rd = instructionReverse[7:12][::-1]
func7 = instructionReverse[25:32][::-1]
func3 = instructionReverse[12:15][::-1] + func7[1]
aluContol = {"0000":"0010", "0001":"0110", "1110":"0000",
"1100":"0001", "1000":"0011"}
self.regPipeline.ID_EX["instruction"] = {"nop": False,
"Read_data1": self.myRF.readRF(int(rs1,2)), "Read_data2":
self.myRF.readRF(int(rs2,2)),
"imm":"X", "pcJump": 0, "Rs":int(rs1,2) ,
"Rt": int(rs2,2),
"Wrt_reg_addr": int(rd,2), "is_I_type":
False, "rd_mem": 0, "aluSource":0, "aluControl":aluContol[func3],
"wrt_mem": 0, "alu_op": "10",
"registerWrite": 1, "branch":0, "memReg":0}
#I-type instruction
if opcode == "1100100":
rs1 = instructionReverse[15:20][::-1]
imm = instructionReverse[20:32][::-1]
rd = instructionReverse[7:12][::-1]
func3 = instructionReverse[12:15][::-1]
aluContol = {"000":"0010", "111":"0000", "110":"0001",
"100":"0011"}
self.regPipeline.ID_EX["instruction"] = {"nop": False,
"Read_data1": self.myRF.readRF(int(rs1,2)), "Read_data2": 0,
"imm": twosCompBinary(imm,12), "pcJump": 0,
"Rs": int(rs1,2), "Rt": 0,
"Wrt_reg_addr": int(rd,2), "is_I_type":
True, "rd_mem": 0, "aluSource":1, "aluControl":aluContol[func3],
"wrt_mem": 0, "alu_op": "00",
"registerWrite": 1, "branch":0, "memReg":0}
#I-type instruction
if opcode == "1100000":
rs1 = instructionReverse[15:20][::-1]
imm = instructionReverse[20:32][::-1]
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
rd = instructionReverse[7:12][::-1]
func3 = instructionReverse[12:15][::-1]
self.regPipeline.ID_EX["instruction"] = {"nop": False,
"Read_data1": self.myRF.readRF(int(rs1,2)), "Read_data2": 0,
"imm":twosCompBinary(imm,12), "pcJump": 0,
"Rs": int(rs1,2), "Rt": 0,
"Wrt_reg_addr": int(rd,2), "is_I_type":
False, "rd_mem": 1, "aluSource":1, "aluControl":"0010",
"wrt_mem": 0, "alu_op": "00",
"registerWrite": 1, "branch":0, "memReg":1}
#S-type instruction
if opcode == "1100010":
rs1 = instructionReverse[15:20][::-1]
rs2 = instructionReverse[20:25][::-1]
imm = instructionReverse[7:12] + instructionReverse[25:32]
imm = imm[::-1]
self.regPipeline.ID_EX["instruction"] = {"nop": False,
"Read_data1": self.myRF.readRF(int(rs1,2)), "Read_data2":
self.myRF.readRF(int(rs2,2)),
"imm":int(imm,2), "Rs": int(rs1,2), "Rt":
int(rs2,2), "pcJump": 0,
"is_I_type": False, "rd_mem": 0,
"aluSource":1,"aluControl":"0010", "alu_op": "00",
"Wrt_reg_addr": "X", "wrt_mem": 1,
"registerWrite": 0, "branch":0, "memReg":"X"}
#SB-type instruction
if opcode == "1100011":
rs1 = instructionReverse[15:20][::-1]
rs2 = instructionReverse[20:25][::-1]
imm = "0" + instructionReverse[8:12] + instructionReverse[25:31] +
instructionReverse[7] + instructionReverse[31]
imm = imm[::-1]
func3 = instructionReverse[12:15][::-1]
self.regPipeline.ID_EX["instruction"] = {"nop": False,
"Read_data1": self.myRF.readRF(int(rs1,2)), "Read_data2":
self.myRF.readRF(int(rs2,2)),
"imm":"X", "Rs": int(rs1,2), "Rt": int(rs2,2),
"pcJump": twosCompBinary(imm,13),
"is_I_type": False, "rd_mem": 0, "aluSource":0,
"aluControl":"0110", "alu_op": "01",
"Wrt_reg_addr": "X", "wrt_mem": 0,
"registerWrite": 0, "branch":1, "memReg":"X", "func3":func3}
#UJ-type instruction
if opcode == "1111011":
rs1 = instructionReverse[15:20][::-1]
imm = "0" + instructionReverse[21:31] + instructionReverse[20] +
instructionReverse[12:20]
+ instructionReverse[31]
imm = imm[::-1]
rd = instructionReverse[7:12][::-1]
self.regPipeline.ID_EX["instruction"] = {"nop": False,
"Read_data1": pc, "Read_data2": 4,
"imm":"X", "Rs": 0, "Rt": 0, "pcJump":
twosCompBinary(imm,21),
"is_I_type": False, "rd_mem": 0,
"aluSource":1, "aluControl":"0010", "alu_op": "10",
"Wrt_reg_addr": int(rd,2), "wrt_mem": 0,
"registerWrite": 1, "branch":1, "memReg":0, "func3":"X"}
if self.checkHazards.hazardRegWrite(
self.regPipeline,self.regPipeline.ID_EX["instruction"]["Rs"]
):
self.regPipeline.ID_EX["instruction"]["Read_data1"] =
self.regPipeline.MEM_WB["Wrt_data"]
if self.checkHazards.hazardRegWrite(
self.regPipeline,self.regPipeline.ID_EX["instruction"]["Rt"]
):
self.regPipeline.ID_EX["instruction"]["Read_data2"] =
self.regPipeline.MEM_WB["Wrt_data"]
self.regPipeline.ID_EX["Rs1"] = self.regPipeline.ID_EX["instruction"]
["Rs"]
self.regPipeline.ID_EX["Rs2"] = self.regPipeline.ID_EX["instruction"]
["Rt"]
if self.checkHazards.hazardEX(
self.regPipeline,self.regPipeline.ID_EX["Rs1"]
):
self.regPipeline.ID_EX["instruction"]["Read_data1"] =
self.regPipeline.EX_MEM["ALUresult"]
elif self.checkHazards.hazardMEM(
self.regPipeline,self.regPipeline.ID_EX["Rs1"]
):
self.regPipeline.ID_EX["instruction"]["Read_data1"] =
self.regPipeline.MEM_WB["Wrt_data"]
if self.regPipeline.ID_EX["instruction"]["imm"] == "X":
if
self.checkHazards.hazardEX(self.regPipeline,self.regPipeline.ID_EX["Rs2"]):
self.regPipeline.ID_EX["instruction"]["Read_data2"] =
self.regPipeline.EX_MEM["ALUresult"]
elif
self.checkHazards.hazardMEM(self.regPipeline,self.regPipeline.ID_EX["Rs2"]):
self.regPipeline.ID_EX["instruction"]["Read_data2"] =
self.regPipeline.MEM_WB["Wrt_data"]
if self.regPipeline.ID_EX["instruction"]["branch"]:
if self.regPipeline.ID_EX["instruction"]["func3"] == "000" and
self.regPipeline.ID_EX["instruction"]["Read_data1"] -
self.regPipeline.ID_EX["instruction"]["Read_data2"] == 0:
self.nextState.IF["nop"] = False
self.nextState.IF["PC"] = pc +
(self.regPipeline.ID_EX["instruction"]["pcJump"])
self.state.IF["nop"] = self.nextState.EX["nop"] =
self.nextState.ID["nop"] = True
elif self.regPipeline.ID_EX["instruction"]["func3"] == "001" and
self.regPipeline.ID_EX["instruction"]["Read_data1"] -
self.regPipeline.ID_EX["instruction"]["Read_data2"] !=0 :
self.nextState.IF["nop"] = False
self.nextState.IF["PC"] = pc +
(self.regPipeline.ID_EX["instruction"]["pcJump"])
self.state.IF["nop"] = self.nextState.EX["nop"] =
self.nextState.ID["nop"] = True
elif self.regPipeline.ID_EX["instruction"]["func3"] == "X" :
self.nextState.IF["nop"] = False
self.nextState.IF["PC"] = pc +
(self.regPipeline.ID_EX["instruction"]["pcJump"])
self.state.IF["nop"] = self.nextState.ID["nop"] = True
else:
self.nextState.EX["nop"] = True
else:
self.regPipeline.ID_EX = {"PC":0, "instruction":0, "rs":0 , "rt":0}
def instructionFetch(self):
self.nextState.ID["nop"]=self.state.IF["nop"]
if not self.state.IF["nop"]:
self.regPipeline.IF_ID["rawInstruction"] =
self.ext_imem.readInstr(self.state.IF["PC"])
self.regPipeline.IF_ID["PC"] = self.state.IF["PC"]
instructionReverse=self.regPipeline.IF_ID["rawInstruction"][::-1]
opcode = instructionReverse[0:7]
if opcode == "1111111":
self.nextState.ID["nop"] = self.state.IF["nop"]=True
else:
self.nextState.IF["nop"] = False
self.nextState.IF["PC"] = self.state.IF["PC"] + 4
if self.checkHazards.hazardLoad(self.regPipeline,
instructionReverse[15:20][::-1], instructionReverse[20:25][::-1]):
self.nextState.ID["nop"]=True
self.nextState.IF["PC"]=self.state.IF["PC"]
def step(self):
# Your implementation
# --------------------- WB stage ---------------------
self.writeBack()
# --------------------- MEM stage --------------------
self.loadStore()
# --------------------- EX stage ---------------------
self.instructionExecute()
# --------------------- ID stage ---------------------
self.instructionDecode()
# --------------------- IF stage ---------------------
self.instructionFetch()
if self.state.IF["nop"] and self.state.ID["nop"] and self.state.EX["nop"]
Your preview ends here
Eager to read complete document? Join bartleby learn and gain access to the full version
- Access to all documents
- Unlimited textbook solutions
- 24/7 expert homework help
and self.state.MEM["nop"] and self.state.WB["nop"]:
self.halted = True
self.myRF.outputRF(self.cycle)
self.printState(self.regPipeline, self.cycle)
self.state = self.nextState
self.nextState = State()
self.cycle += 1
return self.cycle
def printState(self, state, cycle):
printstate = ["-"*70+"\n", "State after executing cycle: " + str(cycle) +
"\n"]
printstate.extend(["IF_ID" + key + ": " + str(val) + "\n" for key, val in
state.IF_ID.items()])
printstate.extend(["ID_EX" + key + ": " + str(val) + "\n" for key, val in
state.ID_EX.items()])
printstate.extend(["EX_MEM" + key + ": " + str(val) + "\n" for key, val in
state.EX_MEM.items()])
printstate.extend(["MEM_WB" + key + ": " + str(val) + "\n" for key, val in
state.MEM_WB.items()])
if(cycle == 0): perm = "w"
else: perm = "a"
with open(self.opFilePath, perm) as wf:
wf.writelines(printstate)
class PerformanceMetrics(Core):
def _init_(self, ioDir,
dir2,ss_cycle, fs_cycle):
self.newFile = open( dir2 + "/PerformanceMetrics_Result.txt", "w")
self.newFile.write("Single Stage Core Performance
Metrics-----------------------------\n")
self.newFile.write("Number of cycles taken: " + str(ss_cycle) + "\n")
with open(ioDir + "/imem.txt", "r") as fp:
x = len(fp.readlines())
x = x/4
ss_CPI = ss_cycle/ x
ss_CPI = round(ss_CPI, 5)
self.newFile.write("Cycles per instruction: " + str(ss_CPI) + "\n")
ss_IPC = 1/ss_CPI
ss_IPC = round(ss_IPC, 6)
self.newFile.write("Instructions per cycle: " + str(ss_IPC) + "\n")
self.newFile.write("\nFive Stage Core Performance
Metrics-----------------------------\n")
self.newFile.write("Number of cycles taken: " + str(fs_cycle) + "\n")
fs_CPI = fs_cycle/ x
fs_CPI = round(fs_CPI, 5)
self.newFile.write("Cycles per instruction: " + str(fs_CPI) + "\n")
fs_IPC = 1/fs_CPI
fs_IPC = round(fs_IPC, 6)
self.newFile.write("Instructions per cycle: " + str(fs_IPC) + "\n")
if _name_ == "_main_":
ioDir_main = os.path.abspath("input/")
if os.path.exists(ioDir_main):
folders = [f for f in os.listdir(ioDir_main) if
os.path.isdir(os.path.join(ioDir_main, f))]
for testdir in folders:
ioDir = os.path.join(ioDir_main,testdir)
print("IO Directory:", ioDir)
dir1 = os.path.dirname(os.path.dirname(ioDir))
fname = os.path.basename(ioDir)
dir2 = os.path.join(dir1, "output_br2543")
if not os.path.exists(dir2):
os.makedirs(dir2)
dir2 = os.path.join(dir2, fname)
if not os.path.exists(dir2):
os.makedirs(dir2)
imem = InsMem("Imem", ioDir, dir2)
dmem_ss = DataMem("SS", ioDir, dir2)
dmem_fs = DataMem("FS", ioDir,dir2)
ssCore = SingleStageCore(ioDir, dir2, imem, dmem_ss)
fsCore = FiveStageCore(ioDir, dir2, imem, dmem_fs)
while(True):
if not ssCore.halted:
ss_cycle = ssCore.step()
if not fsCore.halted:
fs_cycle = fsCore.step()
if ssCore.halted and fsCore.halted:
break
PerformanceMetrics(ioDir, dir2, ss_cycle, fs_cycle)
dmem_ss.outputDataMem()
dmem_fs.outputDataMem()
Related Documents
Related Questions
"I need proof in the solution and a supported
source with the solution."
Write a 8086 microprocessor program to clear (100) consecutive memory locations starting at
offset address 8000H. Assume the data segment value equal to 3000H
write an 8086 microprocessor program to add two numbers each of four bytes. The first number
(least significant byte) starts at memory offset 0500H and the second number (least significant byte)
start at offset memory address 0600H Assume the data segment value equal to 0100H.Store the result
at memory offset starts 0800H
write a program to move a block of 100 numbers consecutive bytes of data strings at
offset address 8000 H in memory to another block of memory locations starting at offset
address A000 H. assume that both blocks are in the same data segment value 3000H
(25 Marks)
Write a program to multiply AX by (10.5) using shift instruction
arrow_forward
1) What is the biggest binary number (decimal value) you can write with 6 bits?
What is the biggest binary number (decimal value and in terms of n) you can write
with n bits?
If you want to represent the decimal numbers from 0-16, what is the minimum
number of bits you will need?
Convert the decimal number 238 to binary number. (ZERO point if not showing
steps/calculation!)
arrow_forward
Let A = ajao and B = b¡bo be two-bit binary
numbers. A and B can take on values from 0 to 3
(for example, A = 2 when a1ao = 10. Let C be
a two bit binary number whose value equals the
magnitude of the difference A – B. We have
C = c1c0 = |A – B|. (This means that if B is
larger than A then you consider B-A.) You are to
design a circuit which accepts A and B (i.e.,
a¡ aob¡bo) as inputs and outputs the result
C = c¡c0. The circuit thus has four inputs and
two outputs. For example, the circuit should
output c1co = 10 when ajao = 01 and
bibo = 11 (C = 2 when A = 1 and B = 3).
-
Your pre-lab needs to include all items requested
in the following steps (plus those requested in the
pre-lab handout):
1. After reading through the complete lab,
write a description of the expected behavior
of the system you will design.
2. Draw a truth table describing the behavior
of the circuit. The truth table should show
the inputs: aj aobibo (in this order) and the
outputs: c1Co ·
3. Write the canonical SOP…
arrow_forward
Given the memory content below, fill in the table below with the register values after the execution of 3 instructions starting at instruction at address 589. Consider the initial values PC=589 and AC=0006. (all
values are in Hexadecimal).
address
Content
13C
025A
25A
0231
589
113C
58A
7200
58B
7020
Note that you need to fill 4 digits for AC, 3 for PC, and 1 for E.
AC (in Hex)= EEBE
PC (in Hex)= 58C
E=
arrow_forward
Please help
arrow_forward
Task 0
arrow_forward
Below is a 4-bit up-counter. What is the largest number of the counter if the initial state Q 3 Q 2 Q1Q0 =0011? (D 3 an Q 3 are MSB, and when Load = 1 and Count
=1 the counter is loaded with the value D 3 ...D0)
4-bit counter
Clock
Q3
Load
Count
"I" or Vcc
"I" or Vcc
Do
"1" or Vcc - D,
Qi
Q2
"0" or Gnd - D2
"0" or Gnd D3
Q3
1111
0011
1100
0110
arrow_forward
How to build this circuit? (on Digital or Logisim)
Binary-coded decimal is an alternative method of representing integers using binary. In it, each base-10 digit is represented by four bits, thus each nibble takes one of 10 values (0000 through 1001). Therefore, using BCD, 42 (decimal) is represented as 0100 0010 (binary) and 196 (decimal) is represented as 0001 1001 0110 (binary). Create a circuit in Logisim that accepts as input a pair of two-digit integers represented as BCD and outputs their sum in BCD.
Any and all Digital components are fair game.
You can assume that all inputs will be valid BCD-encoded numbers.
arrow_forward
Answer n,o,p
arrow_forward
The numbers from 0-9 and a no characters
is the Basic 1 digit seven segment display
* .can show
False
True
In a (CA) method of 7 segments, the
anodes of all the LED segments are
* "connected to the logic "O
False
True
Some times may run out of pins on your
Arduino board and need to not extend it
* .with shift registers
True
False
arrow_forward
SEE MORE QUESTIONS
Recommended textbooks for you
data:image/s3,"s3://crabby-images/8c638/8c63891af794f76315e581a5933dc9000321f43b" alt="Text book image"
Related Questions
- "I need proof in the solution and a supported source with the solution." Write a 8086 microprocessor program to clear (100) consecutive memory locations starting at offset address 8000H. Assume the data segment value equal to 3000H write an 8086 microprocessor program to add two numbers each of four bytes. The first number (least significant byte) starts at memory offset 0500H and the second number (least significant byte) start at offset memory address 0600H Assume the data segment value equal to 0100H.Store the result at memory offset starts 0800H write a program to move a block of 100 numbers consecutive bytes of data strings at offset address 8000 H in memory to another block of memory locations starting at offset address A000 H. assume that both blocks are in the same data segment value 3000H (25 Marks) Write a program to multiply AX by (10.5) using shift instructionarrow_forward1) What is the biggest binary number (decimal value) you can write with 6 bits? What is the biggest binary number (decimal value and in terms of n) you can write with n bits? If you want to represent the decimal numbers from 0-16, what is the minimum number of bits you will need? Convert the decimal number 238 to binary number. (ZERO point if not showing steps/calculation!)arrow_forwardLet A = ajao and B = b¡bo be two-bit binary numbers. A and B can take on values from 0 to 3 (for example, A = 2 when a1ao = 10. Let C be a two bit binary number whose value equals the magnitude of the difference A – B. We have C = c1c0 = |A – B|. (This means that if B is larger than A then you consider B-A.) You are to design a circuit which accepts A and B (i.e., a¡ aob¡bo) as inputs and outputs the result C = c¡c0. The circuit thus has four inputs and two outputs. For example, the circuit should output c1co = 10 when ajao = 01 and bibo = 11 (C = 2 when A = 1 and B = 3). - Your pre-lab needs to include all items requested in the following steps (plus those requested in the pre-lab handout): 1. After reading through the complete lab, write a description of the expected behavior of the system you will design. 2. Draw a truth table describing the behavior of the circuit. The truth table should show the inputs: aj aobibo (in this order) and the outputs: c1Co · 3. Write the canonical SOP…arrow_forward
- Given the memory content below, fill in the table below with the register values after the execution of 3 instructions starting at instruction at address 589. Consider the initial values PC=589 and AC=0006. (all values are in Hexadecimal). address Content 13C 025A 25A 0231 589 113C 58A 7200 58B 7020 Note that you need to fill 4 digits for AC, 3 for PC, and 1 for E. AC (in Hex)= EEBE PC (in Hex)= 58C E=arrow_forwardPlease helparrow_forwardTask 0arrow_forward
- Below is a 4-bit up-counter. What is the largest number of the counter if the initial state Q 3 Q 2 Q1Q0 =0011? (D 3 an Q 3 are MSB, and when Load = 1 and Count =1 the counter is loaded with the value D 3 ...D0) 4-bit counter Clock Q3 Load Count "I" or Vcc "I" or Vcc Do "1" or Vcc - D, Qi Q2 "0" or Gnd - D2 "0" or Gnd D3 Q3 1111 0011 1100 0110arrow_forwardHow to build this circuit? (on Digital or Logisim) Binary-coded decimal is an alternative method of representing integers using binary. In it, each base-10 digit is represented by four bits, thus each nibble takes one of 10 values (0000 through 1001). Therefore, using BCD, 42 (decimal) is represented as 0100 0010 (binary) and 196 (decimal) is represented as 0001 1001 0110 (binary). Create a circuit in Logisim that accepts as input a pair of two-digit integers represented as BCD and outputs their sum in BCD. Any and all Digital components are fair game. You can assume that all inputs will be valid BCD-encoded numbers.arrow_forwardAnswer n,o,parrow_forward
arrow_back_ios
arrow_forward_ios
Recommended textbooks for you
data:image/s3,"s3://crabby-images/8c638/8c63891af794f76315e581a5933dc9000321f43b" alt="Text book image"