Advertisement
Korotkodul

pdp-11_my_code

Apr 3rd, 2025
391
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
Python 5.46 KB | None | 0 0
  1. import re
  2. import struct
  3. from typing import List, Dict, Union
  4.  
  5.  
  6. class PDP11Assembler:
  7.     def __init__(self):
  8.         self.labels: Dict[str, int] = {}
  9.         self.current_address = 0o1000
  10.         self.output_data: List[int] = []
  11.  
  12.         # Таблица команд с правильными опкодами
  13.         self.commands = {
  14.             'halt': {'opcode': 0o000000, 'args': []},
  15.             'mov': {'opcode': 0o010000, 'args': ['ss', 'dd']},
  16.             'add': {'opcode': 0o060000, 'args': ['ss', 'dd']},
  17.         }
  18.  
  19.     def parse_operand(self, operand: str) -> Dict[str, Union[int, str]]:
  20.         """Разбор операнда с правильными режимами адресации"""
  21.         if not operand:
  22.             return {'mode': 0, 'reg': 0, 'value': 0}
  23.  
  24.         # Регистровая адресация (R0-R7)
  25.         if re.match(r'^[rR][0-7]$', operand):
  26.             return {'mode': 0, 'reg': int(operand[1]), 'value': 0}
  27.  
  28.         # Немедленная адресация (#n)
  29.         if operand.startswith('#'):
  30.             value = int(operand[1:])
  31.             return {'mode': 0o27, 'reg': 0, 'value': value}  # Режим 27, регистр 0
  32.  
  33.         return {'mode': 0, 'reg': 0, 'value': 0}
  34.  
  35.     def assemble_instruction(self, command: List[str]) -> List[Union[int, str]]:
  36.         """Генерация машинного кода с правильным форматом"""
  37.         if not command:
  38.             return []
  39.  
  40.         cmd_name = command[0].lower()
  41.         if cmd_name not in self.commands:
  42.             return []
  43.  
  44.         cmd_info = self.commands[cmd_name]
  45.         args = command[1:]
  46.  
  47.         if len(args) != len(cmd_info['args']):
  48.             return []
  49.  
  50.         words = []
  51.         opcode = cmd_info['opcode']
  52.  
  53.         if cmd_name == 'halt':
  54.             words.append(0o000000)
  55.             return words
  56.  
  57.         if cmd_name == 'mov':
  58.             src = self.parse_operand(args[0])
  59.             dst = self.parse_operand(args[1])
  60.  
  61.             # Правильное кодирование для MOV
  62.             instruction = opcode | (src['mode'] << 6) | (dst['reg'] << 3) | dst['mode']
  63.             words.append(instruction)
  64.  
  65.             if src['mode'] == 0o27:  # Немедленная адресация
  66.                 words.append(src['value'])
  67.  
  68.             return words
  69.  
  70.         if cmd_name == 'add':
  71.             src = self.parse_operand(args[0])
  72.             dst = self.parse_operand(args[1])
  73.  
  74.             # Правильное кодирование для ADD
  75.             instruction = opcode | (src['reg'] << 6) | dst['reg']
  76.             words.append(instruction)
  77.  
  78.             return words
  79.  
  80.         return []
  81.  
  82.     def first_pass(self, lines: List[str]):
  83.         """Первый проход: сбор меток"""
  84.         self.current_address = 0o1000
  85.         for line in lines:
  86.             line = line.strip()
  87.             if not line or line.startswith(';'):
  88.                 continue
  89.  
  90.             if ':' in line:
  91.                 label, _ = line.split(':', 1)
  92.                 self.labels[label.strip()] = self.current_address
  93.                 line = line.split(':', 1)[1].strip()
  94.                 if not line:
  95.                     continue
  96.  
  97.             parts = re.split(r'[,\s]+', line)
  98.             cmd = parts[0].lower()
  99.  
  100.             if cmd in self.commands:
  101.                 self.current_address += 2
  102.                 if cmd == 'mov' and parts[1].startswith('#'):
  103.                     self.current_address += 2
  104.  
  105.     def second_pass(self, lines: List[str]):
  106.         """Второй проход: генерация кода"""
  107.         self.current_address = 0o1000
  108.         for line in lines:
  109.             line = line.strip()
  110.             if not line or line.startswith(';'):
  111.                 continue
  112.  
  113.             if ':' in line:
  114.                 line = line.split(':', 1)[1].strip()
  115.                 if not line:
  116.                     continue
  117.  
  118.             parts = re.split(r'[,\s]+', line)
  119.             machine_code = self.assemble_instruction(parts)
  120.  
  121.             for word in machine_code:
  122.                 self.output_data.append(word)
  123.                 self.current_address += 2
  124.  
  125.     def write_output_file(self, filename: str):
  126.         """Запись в файл в нужном формате"""
  127.         data_bytes = bytearray()
  128.         for word in self.output_data:
  129.             data_bytes.extend(struct.pack('<H', word))  # Little-endian
  130.  
  131.         with open(filename, 'w') as f:
  132.             # Первая строка: адрес и размер
  133.             f.write(f"0200 {len(data_bytes):04x}\n")
  134.  
  135.             # Байты машинного кода
  136.             for byte in data_bytes:
  137.                 f.write(f"{byte:02x}\n")
  138.  
  139.     def assemble(self, input_filename: str, output_filename: str):
  140.         """Основной метод ассемблирования"""
  141.         with open(input_filename, 'r') as f:
  142.             lines = f.readlines()
  143.  
  144.         self.first_pass(lines)
  145.         self.second_pass(lines)
  146.         self.write_output_file(output_filename)
  147.  
  148.  
  149. # Пример использования
  150. if __name__ == "__main__":
  151.     assembler = PDP11Assembler()
  152.  
  153.     test_code = """
  154.        mov #2, r0
  155.        mov #3, r1
  156.        add r0, r1
  157.        halt
  158.    """
  159.  
  160.     with open("test.asm", "w") as f:
  161.         f.write(test_code)
  162.  
  163.     assembler.assemble("test.asm", "output.txt")
  164.     print("Ассемблирование завершено. Результат в output.txt")
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement