as_analyzer.c 2.1 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273
  1. #include "as_analyzer.h"
  2. #include <stddef.h>
  3. #include <string.h>
  4. const char * compose_section_label(allocator_t alct, const char * section, const char * name) {
  5. size_t section_len = strlen(section);
  6. size_t name_len = strlen(name);
  7. size_t sz = section_len + name_len;
  8. char * buf = allocate(alct, sz + 1);
  9. memcpy(buf, section, section_len);
  10. memcpy(buf + section_len, name, name_len);
  11. buf[sz] = '\0';
  12. return buf;
  13. }
  14. void process_section_label(allocator_t alct, prog_t prog) {
  15. const char * section = "";
  16. stmt_t* stmts = prog->stmts->stmts;
  17. for (size_t i = 0; ; i++) {
  18. if (stmts[i] == NULL) break;
  19. if (stmts[i]->label == NULL) continue;
  20. const char* name = stmts[i]->label->name;
  21. if (name[0] == '.') {
  22. stmts[i]->label->name = compose_section_label(alct, section, name);
  23. } else {
  24. section = name;
  25. continue;
  26. }
  27. }
  28. }
  29. size_t instr_size(instr_t instr) {
  30. return op_size(instr->op);
  31. }
  32. struct sym_table new_sym_table(allocator_t alct) {
  33. struct sym_table tbl;
  34. tbl.cap = 16;
  35. tbl.size = 0;
  36. tbl.buf = allocate(alct, sizeof(struct sym_table_entry) * 16);
  37. return tbl;
  38. }
  39. void sym_table_add(allocator_t alct, struct sym_table* tbl, const char* name, int pos) {
  40. if (tbl->cap == tbl->size) {
  41. void *old_buf = tbl->buf;
  42. tbl->buf = allocate(alct, sizeof(struct sym_table_entry) * tbl->cap * 2);
  43. memcpy(tbl->buf, old_buf, sizeof(struct sym_table_entry) * tbl->cap);
  44. tbl->cap = tbl->cap * 2;
  45. }
  46. tbl->buf[tbl->size] = (struct sym_table_entry){.name = name, .offset = pos,};
  47. tbl->size += 1;
  48. }
  49. struct sym_table analyze_prog(allocator_t alct, prog_t prog) {
  50. process_section_label(alct, prog);
  51. stmt_t * stmts = prog->stmts->stmts;
  52. struct sym_table tbl = new_sym_table(alct);
  53. size_t cur_pos = 0;
  54. for (int i = 0; ; i++) {
  55. if (stmts[i] == NULL) break;
  56. stmt_t stmt = stmts[i];
  57. if (stmt->label) {
  58. sym_table_add(alct, &tbl, stmt->label->name, cur_pos);
  59. }
  60. if (stmt->instr) {
  61. cur_pos += instr_size(stmt->instr);
  62. }
  63. }
  64. return tbl;
  65. }