Advertisement
Korotkodul

pdp-11_1

Apr 3rd, 2025
393
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
Python 9.07 KB | None | 0 0
  1. from pyparsing import (Word, Literal, Optional, Group, OneOrMore,
  2.                       alphas, nums, hexnums, Combine, Suppress, ParseException,
  3.                       restOfLine)
  4. import struct
  5. import re
  6.  
  7. # Конфигурация парсера
  8. octal_number = Combine(Literal('0') + Word('01234567')).setParseAction(lambda t: int(t[0], 8))
  9. decimal_number = Word(nums).setParseAction(lambda t: int(t[0]))
  10. hex_number = Combine(Literal('0') + (Literal('x') | Literal('X')) + Word(hexnums)).setParseAction(lambda t: int(t[0], 16))
  11. number = octal_number | hex_number | decimal_number
  12.  
  13. register = Word('Rr', nums, max=2).setParseAction(lambda t: f"R{t[0][1:]}")
  14. indirect = Suppress('(') + register + Suppress(')')
  15. auto_dec = Suppress('-(') + register + Suppress(')')
  16. auto_inc = Suppress('(') + register + Suppress(')+')
  17. indirect_inc = Suppress('@(') + register + Suppress(')+')
  18. immediate = Suppress('#') + number
  19.  
  20. operand = (indirect_inc | auto_dec | auto_inc | indirect | immediate | register | number)
  21.  
  22. instruction = Word(alphas.upper(), max=4)
  23. instr_operands = Group(Optional(operand + Optional(Suppress(',') + Optional(operand))))
  24. comment = Suppress(';') + restOfLine
  25. assembly_line = instruction("opcode") + instr_operands("operands") + Optional(comment)
  26.  
  27. # Таблица опкодов PDP-11 (расширенная)
  28. OPCODES = {
  29.     'MOV': 0o010000, 'MOVB': 0o110000,
  30.     'ADD': 0o060000, 'SUB': 0o160000,
  31.     'CMP': 0o020000, 'CMPB': 0o120000,
  32.     'BIT': 0o030000, 'BITB': 0o130000,
  33.     'BIC': 0o040000, 'BICB': 0o140000,
  34.     'BIS': 0o050000, 'BISB': 0o150000,
  35.     'CLR': 0o005000, 'CLRB': 0o105000,
  36.     'COM': 0o005100, 'COMB': 0o105100,
  37.     'INC': 0o005200, 'INCB': 0o105200,
  38.     'DEC': 0o005300, 'DECB': 0o105300,
  39.     'NEG': 0o005400, 'NEGB': 0o105400,
  40.     'ADC': 0o005500, 'ADCB': 0o105500,
  41.     'SBC': 0o005600, 'SBCB': 0o105600,
  42.     'TST': 0o005700, 'TSTB': 0o105700,
  43.     'ROR': 0o006000, 'RORB': 0o106000,
  44.     'ROL': 0o006100, 'ROLB': 0o106100,
  45.     'ASR': 0o006200, 'ASRB': 0o106200,
  46.     'ASL': 0o006300, 'ASLB': 0o106300,
  47.     'BR': 0o000400, 'BNE': 0o001000,
  48.     'JMP': 0o000100, 'JSR': 0o004000,
  49.     'RTS': 0o000200, 'HALT': 0o000000
  50. }
  51.  
  52. # Режимы адресации
  53. ADDR_MODES = {
  54.     'R0': 0o00, 'R1': 0o01, 'R2': 0o02, 'R3': 0o03,
  55.     'R4': 0o04, 'R5': 0o05, 'R6': 0o06, 'R7': 0o07,
  56.     '(R0)': 0o10, '(R1)': 0o11, '(R2)': 0o12, '(R3)': 0o13,
  57.     '(R4)': 0o14, '(R5)': 0o15, '(R6)': 0o16, '(R7)': 0o17,
  58.     '-(R0)': 0o20, '-(R1)': 0o21, '-(R2)': 0o22, '-(R3)': 0o23,
  59.     '-(R4)': 0o24, '-(R5)': 0o25, '-(R6)': 0o26, '-(R7)': 0o27,
  60.     '(R0)+': 0o30, '(R1)+': 0o31, '(R2)+': 0o32, '(R3)+': 0o33,
  61.     '(R4)+': 0o34, '(R5)+': 0o35, '(R6)+': 0o36, '(R7)+': 0o37,
  62.     '@(R0)+': 0o40, '@(R1)+': 0o41, '@(R2)+': 0o42, '@(R3)+': 0o43,
  63.     '@(R4)+': 0o44, '@(R5)+': 0o45, '@(R6)+': 0o46, '@(R7)+': 0o47,
  64.     '#': 0o50
  65. }
  66.  
  67.  
  68. def encode_operand(op):
  69.     """Кодирует операнд в режим адресации и дополнительное слово"""
  70.     if isinstance(op, int):
  71.         return 0o67, op  # Непосредственная адресация (абсолютный режим)
  72.  
  73.     if op.startswith('R'):
  74.         return ADDR_MODES[op], 0
  75.  
  76.     if op.startswith('('):
  77.         if op.startswith('-('):
  78.             return ADDR_MODES[f"-({op[3:-1]})"], 0
  79.         elif op.endswith(')+'):
  80.             if op.startswith('@'):
  81.                 return ADDR_MODES[f"@({op[3:-2]})+"], 0
  82.             return ADDR_MODES[f"({op[1:-2]})+"], 0
  83.         return ADDR_MODES[f"({op[1:-1]})"], 0
  84.  
  85.     if op.startswith('#'):
  86.         return ADDR_MODES['#'], int(op[1:])
  87.  
  88.     return 0o67, int(op)  # Абсолютная адресация
  89.  
  90.  
  91. def assemble_instruction(parsed_line, pc, labels):
  92.     """Генерирует машинный код для одной инструкции"""
  93.     try:
  94.         opcode = parsed_line.opcode
  95.         operands = parsed_line.operands.asList() if parsed_line.operands else []
  96.  
  97.         if opcode not in OPCODES:
  98.             raise ValueError(f"Неизвестная инструкция: {opcode}")
  99.  
  100.         base_op = OPCODES[opcode]
  101.  
  102.         # Обработка инструкций без операндов
  103.         if opcode in ['HALT', 'NOP', 'RTS']:
  104.             return struct.pack('<H', base_op)
  105.  
  106.         # Обработка ветвлений
  107.         if opcode in ['BR', 'BNE', 'BEQ', 'BPL', 'BMI']:
  108.             if not operands:
  109.                 raise ValueError(f"Отсутствует операнд для инструкции {opcode}")
  110.             offset = labels.get(operands[0], pc) - pc
  111.             return struct.pack('<H', base_op | (offset & 0o377))
  112.  
  113.         # Обработка инструкций с одним операндом
  114.         if len(operands) == 1:
  115.             mode, value = encode_operand(operands[0])
  116.             instruction = base_op | (mode << 6)
  117.             machine_code = struct.pack('<H', instruction)
  118.             if mode == 0o67 or (mode == 0o50 and value > 0o177777):
  119.                 machine_code += struct.pack('<H', value)
  120.             return machine_code
  121.  
  122.         # Обработка инструкций с двумя операндами
  123.         if len(operands) == 2:
  124.             src_mode, src_value = encode_operand(operands[0])
  125.             dst_mode, dst_value = encode_operand(operands[1])
  126.             instruction = base_op | (src_mode << 6) | dst_mode
  127.             machine_code = struct.pack('<H', instruction)
  128.  
  129.             # Добавляем дополнительные слова для операндов
  130.             if src_mode == 0o67 or (src_mode == 0o50 and src_value > 0o177777):
  131.                 machine_code += struct.pack('<H', src_value)
  132.             if dst_mode == 0o67 or (dst_mode == 0o50 and dst_value > 0o177777):
  133.                 machine_code += struct.pack('<H', dst_value)
  134.  
  135.             return machine_code
  136.  
  137.         raise ValueError(f"Неподдерживаемое количество операндов для {opcode}")
  138.  
  139.     except ParseException as e:
  140.         print(f"Ошибка разбора строки: {e}")
  141.         return None
  142.  
  143.  
  144. def assemble_file(input_file, output_file):
  145.     """Основная функция ассемблирования"""
  146.     labels = {}
  147.     pc = 0
  148.  
  149.     # Первый проход: сбор меток
  150.     with open(input_file, 'r') as f:
  151.         for line_num, line in enumerate(f, 1):
  152.             line = re.sub(r';.*', '', line).strip()
  153.             if not line:
  154.                 continue
  155.  
  156.             # Обработка меток
  157.             if ':' in line:
  158.                 label, _ = line.split(':', 1)
  159.                 labels[label.strip()] = pc
  160.                 line = line.split(':', 1)[1].strip()
  161.                 if not line:
  162.                     continue
  163.  
  164.             try:
  165.                 parsed = assembly_line.parseString(line)
  166.                 if parsed.opcode in OPCODES:
  167.                     pc += 2  # Базовый размер инструкции
  168.                     # Учет дополнительных слов
  169.                     if parsed.operands:
  170.                         ops = parsed.operands.asList()
  171.                         for op in ops:
  172.                             if isinstance(op, str) and op.startswith('#'):
  173.                                 value = int(op[1:])
  174.                                 if value > 0o177777:
  175.                                     pc += 2
  176.                             elif not any(c.isalpha() for c in str(op)):
  177.                                 pc += 2
  178.             except ParseException:
  179.                 continue
  180.  
  181.     # Второй проход: генерация кода
  182.     with open(input_file, 'r') as f_in, open(output_file, 'wb') as f_out:
  183.         pc = 0
  184.         for line_num, line in enumerate(f_in, 1):
  185.             line = re.sub(r';.*', '', line).strip()
  186.             if not line:
  187.                 continue
  188.  
  189.             # Пропускаем строки с метками
  190.             if ':' in line:
  191.                 line = line.split(':', 1)[1].strip()
  192.                 if not line:
  193.                     continue
  194.  
  195.             try:
  196.                 parsed = assembly_line.parseString(line)
  197.                 machine_code = assemble_instruction(parsed, pc, labels)
  198.                 if machine_code:
  199.                     f_out.write(machine_code)
  200.                     pc += len(machine_code)
  201.             except (ParseException, ValueError) as e:
  202.                 print(f"Ошибка в строке {line_num}: {e}")
  203.  
  204.  
  205. # Пример программы на PDP-11
  206. sample_program = """
  207.    MOV #1000, R0    ; Загрузить значение в R0
  208.    LOOP:
  209.    ADD R1, R0       ; Добавить R1 к R0
  210.    CMP R0, #2000    ; Сравнить с 2000
  211.    BNE LOOP         ; Повторять если не равно
  212.    HALT             ; Останов
  213. """
  214.  
  215. # Сохраняем пример в файл
  216. with open("pdp11_sample.asm", "w") as f:
  217.     f.write(sample_program)
  218.  
  219. # Ассемблируем
  220. assemble_file("pdp11_sample.asm", "pdp11_output.bin")
  221. print("Ассемблирование завершено. Результат в pdp11_output.bin")
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement