package catala

  1. Overview
  2. Docs
Legend:
Page
Library
Module
Module type
Parameter
Class
Class type
Source

Source file parser_driver.ml

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
(* This file is part of the Catala compiler, a specification language for tax
   and social benefits computation rules. Copyright (C) 2020 Inria,
   contributors: Denis Merigoux <denis.merigoux@inria.fr>, Emile Rolley
   <emile.rolley@tuta.io>

   Licensed under the Apache License, Version 2.0 (the "License"); you may not
   use this file except in compliance with the License. You may obtain a copy of
   the License at

   http://www.apache.org/licenses/LICENSE-2.0

   Unless required by applicable law or agreed to in writing, software
   distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
   WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
   License for the specific language governing permissions and limitations under
   the License. *)

(** Wrapping module around parser and lexer that offers the
    {!:Parser_driver.parse_source_file} API. *)

open Sedlexing
open Catala_utils

(** After parsing, heading structure is completely flat because of the
    [source_file_item] rule. We need to tree-i-fy the flat structure, by looking
    at the precedence of the law headings. *)
let rec law_struct_list_to_tree (f : Ast.law_structure list) :
    Ast.law_structure list =
  match f with
  | [] -> []
  | [item] -> [item]
  | first_item :: rest -> (
    let rest_tree = law_struct_list_to_tree rest in
    match rest_tree with
    | [] -> assert false (* there should be at least one rest element *)
    | rest_head :: rest_tail -> (
      match first_item with
      | CodeBlock _ | LawText _ | LawInclude _ | ModuleDef _ | ModuleUse _ ->
        (* if an article or an include is just before a new heading , then we
           don't merge it with what comes next *)
        first_item :: rest_head :: rest_tail
      | LawHeading (heading, _) ->
        (* here we have encountered a heading, which is going to "gobble"
           everything in the [rest_tree] until it finds a heading of at least
           the same precedence *)
        let rec split_rest_tree (rest_tree : Ast.law_structure list) :
            Ast.law_structure list * Ast.law_structure list =
          match rest_tree with
          | [] -> [], []
          | LawHeading (new_heading, _) :: _
            when new_heading.law_heading_precedence
                 <= heading.law_heading_precedence ->
            (* we stop gobbling *)
            [], rest_tree
          | first :: after ->
            (* we continue gobbling *)
            let after_gobbled, after_out = split_rest_tree after in
            first :: after_gobbled, after_out
        in
        let gobbled, rest_out = split_rest_tree rest_tree in
        LawHeading (heading, gobbled) :: rest_out))

module ParserAux (LocalisedLexer : Lexer_common.LocalisedLexer) = struct
  include Parser.Make (LocalisedLexer)
  module I = MenhirInterpreter

  (** Returns the state number from the Menhir environment *)
  let state (env : 'semantic_value I.env) : int =
    match Lazy.force (I.stack env) with
    | MenhirLib.General.Nil -> 0
    | MenhirLib.General.Cons (Element (s, _, _, _), _) -> I.number s

  let register_parsing_error
      (lexbuf : lexbuf)
      (env : 'semantic_value I.env)
      (acceptable_tokens : (string * Tokens.token) list)
      (similar_candidate_tokens : string list) : 'a =
    (* The parser has suspended itself because of a syntax error. *)
    let custom_menhir_message ppf =
      (match Parser_errors.message (state env) with
      | exception Not_found ->
        Format.fprintf ppf "@{<yellow>unexpected token.@}"
      | msg ->
        Format.fprintf ppf "@{<yellow>@<1>%s@} @[<hov>%a.@]" "»"
          Format.pp_print_text
          (String.trim (String.uncapitalize_ascii msg)));
      if acceptable_tokens <> [] then
        Format.fprintf ppf "@\n@[<hov>Those are valid at this point:@ %a.@]"
          (Format.pp_print_list
             ~pp_sep:(fun ppf () -> Format.fprintf ppf ",@ ")
             (fun ppf string -> Format.fprintf ppf "@{<yellow>\"%s\"@}" string))
          (List.map (fun (s, _) -> s) acceptable_tokens)
    in
    let suggestion =
      if similar_candidate_tokens = [] then None
      else Some similar_candidate_tokens
    in
    let error_loc = Pos.from_lpos (lexing_positions lexbuf) in
    let wrong_token = Utf8.lexeme lexbuf in
    let msg = custom_menhir_message in
    Message.delayed_error ~kind:Parsing () ?suggestion ~pos:error_loc
      "@[<hov>Syntax error at %a:@ %t@]"
      (fun ppf string -> Format.fprintf ppf "@{<yellow>\"%s\"@}" string)
      wrong_token msg

  let sorted_candidate_tokens lexbuf token_list env =
    let acceptable_tokens =
      List.filter_map
        (fun ((_, t) as elt) ->
          if I.acceptable (I.input_needed env) t (fst (lexing_positions lexbuf))
          then Some elt
          else None)
        token_list
    in
    let lexeme = Utf8.lexeme lexbuf in
    let similar_acceptable_tokens =
      Suggestions.best_candidates (List.map fst acceptable_tokens) lexeme
    in
    let module S = Set.Make (String) in
    let s_toks = S.of_list similar_acceptable_tokens in
    let sorted_acceptable_tokens =
      List.sort
        (fun (s, _) _ -> if S.mem s s_toks then -1 else 1)
        acceptable_tokens
    in
    similar_acceptable_tokens, sorted_acceptable_tokens

  type 'a ring_buffer = {
    curr_idx : int;
    start : int ref;
    stop : int ref;
    max_size : int;
    feed : unit -> 'a;
    data : 'a array;
  }

  let next ({ curr_idx; start; stop; max_size; feed; data } as buff) =
    let next_idx = succ curr_idx mod max_size in
    if curr_idx = !stop then (
      let new_elt = feed () in
      data.(curr_idx) <- new_elt;
      let size = ((!stop - !start + max_size) mod max_size) + 1 in
      stop := succ !stop mod max_size;
      let is_full = size = max_size in
      if is_full then
        (* buffer will get full: start is also moved *)
        start := succ !start mod max_size;
      { buff with curr_idx = next_idx }, new_elt)
    else
      let elt = data.(curr_idx) in
      { buff with curr_idx = next_idx }, elt

  let create ?(max_size = 20) feed v =
    {
      curr_idx = 0;
      start = ref 0;
      stop = ref 0;
      feed;
      data = Array.make max_size v;
      max_size;
    }

  let progress ?(max_step = 10) lexer_buffer env checkpoint : int =
    let rec loop nth_step lexer_buffer env checkpoint =
      if nth_step >= max_step then nth_step
      else
        match checkpoint with
        | I.InputNeeded env ->
          let new_lexer_buffer, token = next lexer_buffer in
          let checkpoint = I.offer checkpoint token in
          loop (succ nth_step) new_lexer_buffer env checkpoint
        | I.Shifting _ | I.AboutToReduce _ ->
          let checkpoint = I.resume checkpoint in
          loop nth_step lexer_buffer env checkpoint
        | I.HandlingError (_ : _ I.env) | I.Accepted _ | I.Rejected -> nth_step
    in
    loop 0 lexer_buffer env checkpoint

  let recover_parsing_error lexer_buffer env acceptable_tokens =
    let candidates_checkpoints =
      let without_token = I.input_needed env in
      let make_with_token tok =
        let l, r = I.positions env in
        let checkpoint = I.input_needed env in
        I.offer checkpoint (tok, l, r)
      in
      without_token :: List.map make_with_token acceptable_tokens
    in
    let threshold = min 10 lexer_buffer.max_size in
    let rec iterate ((curr_max_progress, _) as acc) = function
      | [] -> acc
      | cp :: t ->
        if curr_max_progress >= 10 then acc
        else
          let cp_progress = progress ~max_step:threshold lexer_buffer env cp in
          if cp_progress > curr_max_progress then iterate (cp_progress, cp) t
          else iterate acc t
    in
    let best_progress, best_cp =
      let dummy_cp = I.input_needed env in
      iterate (-1, dummy_cp) candidates_checkpoints
    in
    (* We do not consider paths where progress isn't significant *)
    if best_progress < 2 then None else Some best_cp

  (** Main parsing loop *)
  let loop
      (lexer_buffer :
        (Tokens.token * Lexing.position * Lexing.position) ring_buffer)
      (token_list : (string * Tokens.token) list)
      (lexbuf : lexbuf)
      (last_input_needed : 'semantic_value I.env option)
      (checkpoint : 'semantic_value I.checkpoint) : Ast.source_file =
    let rec loop
        (lexer_buffer :
          (Tokens.token * Lexing.position * Lexing.position) ring_buffer)
        (token_list : (string * Tokens.token) list)
        (lexbuf : lexbuf)
        (last_input_needed : 'semantic_value I.env option)
        (checkpoint : 'semantic_value I.checkpoint) : Ast.source_file =
      match checkpoint with
      | I.InputNeeded env ->
        let new_lexer_buffer, token = next lexer_buffer in
        let checkpoint = I.offer checkpoint token in
        loop new_lexer_buffer token_list lexbuf (Some env) checkpoint
      | I.Shifting _ | I.AboutToReduce _ ->
        let checkpoint = I.resume checkpoint in
        loop lexer_buffer token_list lexbuf last_input_needed checkpoint
      | I.HandlingError (env : 'semantic_value I.env) -> (
        let similar_candidate_tokens, sorted_acceptable_tokens =
          sorted_candidate_tokens lexbuf token_list env
        in
        register_parsing_error lexbuf env sorted_acceptable_tokens
          similar_candidate_tokens;
        let best_effort_checkpoint =
          recover_parsing_error lexer_buffer env
            (List.map snd sorted_acceptable_tokens)
        in
        match best_effort_checkpoint with
        | None ->
          (* No reasonable solution, aborting *)
          (* Let's reset the lexer buffer in order to not trigger the unclosed
             block finalizer: we have at least one error to report *)
          ignore (Lexer_common.flush_acc ());
          Lexer_common.context := Law;
          []
        | Some best_effort_checkpoint ->
          loop lexer_buffer token_list lexbuf last_input_needed
            best_effort_checkpoint)
      | I.Accepted v -> v
      | I.Rejected -> []
    in
    loop lexer_buffer token_list lexbuf last_input_needed checkpoint

  (** Stub that wraps the parsing main loop and handles the Menhir/Sedlex type
      difference for [lexbuf]. *)
  let sedlex_with_menhir
      (lexer' : lexbuf -> Tokens.token)
      (token_list : (string * Tokens.token) list)
      (target_rule : Lexing.position -> 'semantic_value I.checkpoint)
      (lexbuf : lexbuf) : Ast.source_file =
    let lexer_buffer :
        (Tokens.token * Lexing.position * Lexing.position) ring_buffer =
      let feed = with_tokenizer lexer' lexbuf in
      create feed Lexing.(Tokens.EOF, dummy_pos, dummy_pos)
    in
    try
      let target_rule =
        target_rule (fst @@ Sedlexing.lexing_positions lexbuf)
      in
      loop lexer_buffer token_list lexbuf None target_rule
    with Lexer_common.Lexing_error (pos, token) ->
      (* The encapsulating [Message.with_delayed_errors] will raise an
         exception: we are safe returning a dummy value. *)
      Message.delayed_error ~kind:Lexing [] ~pos
        "Parsing error after token @{<yellow>%S@}: what comes after could not \
         be recognised"
        token

  let commands_or_includes (lexbuf : lexbuf) : Ast.source_file =
    Lexer_common.with_lexing_context
      (fst (Sedlexing.lexing_positions lexbuf)).pos_fname
    @@ fun () ->
    sedlex_with_menhir LocalisedLexer.lexer LocalisedLexer.token_list
      Incremental.source_file lexbuf
end

module Parser_En = ParserAux (Lexer_en)
module Parser_Fr = ParserAux (Lexer_fr)
module Parser_Pl = ParserAux (Lexer_pl)

let localised_parser : Global.backend_lang -> lexbuf -> Ast.source_file =
  function
  | En -> Parser_En.commands_or_includes
  | Fr -> Parser_Fr.commands_or_includes
  | Pl -> Parser_Pl.commands_or_includes

(** Lightweight lexer for dependency *)

let lines (file : File.t) (language : Global.backend_lang) =
  let lex_line =
    match language with
    | En -> Lexer_en.lex_line
    | Fr -> Lexer_fr.lex_line
    | Pl -> Lexer_pl.lex_line
  in
  let input = open_in file in
  try
    let lexbuf = Sedlexing.Utf8.from_channel input in
    Sedlexing.set_filename lexbuf file;
    let context = ref `Law in
    let rec aux () =
      match lex_line ~context lexbuf with
      | Some (str, tok) ->
        Seq.Cons ((str, tok, Sedlexing.lexing_bytes_positions lexbuf), aux)
      | None ->
        close_in input;
        Seq.Nil
    in
    Seq.once aux
  with exc ->
    let bt = Printexc.get_raw_backtrace () in
    close_in input;
    Printexc.raise_with_backtrace exc bt

(** {1 Parsing multiple files} *)

let lexbuf_file lexbuf =
  (fst (Sedlexing.lexing_positions lexbuf)).Lexing.pos_fname

let with_sedlex_file file f =
  let ic = open_in file in
  let lexbuf = Sedlexing.Utf8.from_channel ic in
  Sedlexing.set_filename lexbuf file;
  Fun.protect ~finally:(fun () -> close_in ic) (fun () -> f lexbuf)

let with_sedlex_source source_file f =
  match source_file with
  | Global.FileName file -> with_sedlex_file file f
  | Global.Contents (str, file) ->
    let lexbuf = Sedlexing.Utf8.from_string str in
    Sedlexing.set_filename lexbuf file;
    f lexbuf
  | Global.Stdin file ->
    let lexbuf = Sedlexing.Utf8.from_channel stdin in
    Sedlexing.set_filename lexbuf file;
    f lexbuf

(** Parses a single source file *)
let rec parse_source ?resolve_included_file (lexbuf : Sedlexing.lexbuf) :
    Ast.program =
  let source_file_name = lexbuf_file lexbuf in
  Message.debug "Parsing %a" File.format source_file_name;
  let language = Cli.file_lang source_file_name in
  let commands = Parser_state.with_state (localised_parser language) lexbuf in
  let program =
    expand_includes ?resolve_included_file source_file_name commands
  in
  {
    program with
    program_source_files = source_file_name :: program.Ast.program_source_files;
    program_lang = language;
  }

(** Expands the include directives in a parsing result, thus parsing new source
    files *)
and expand_includes
    ?(resolve_included_file = fun path -> Catala_utils.Global.FileName path)
    (source_file : string)
    (commands : Ast.law_structure list) : Ast.program =
  let language = Cli.file_lang source_file in
  let rprg =
    List.fold_left
      (fun acc command ->
        let join_module_names name_opt =
          match acc.Ast.program_module, name_opt with
          | opt, None | None, opt -> opt
          | Some id1, Some id2 ->
            Message.error ~kind:Parsing
              ~extra_pos:
                ["", Mark.get id1.module_name; "", Mark.get id2.module_name]
              "Multiple definitions of the module name"
        in
        match command with
        | Ast.ModuleDef (id, is_external) ->
          {
            acc with
            Ast.program_module =
              join_module_names
                (Some { module_name = id; module_external = is_external });
            Ast.program_items = command :: acc.Ast.program_items;
          }
        | Ast.ModuleUse (mod_use_name, alias) ->
          let mod_use_alias = Option.value ~default:mod_use_name alias in
          {
            acc with
            Ast.program_used_modules =
              { mod_use_name; mod_use_alias } :: acc.Ast.program_used_modules;
            Ast.program_items = command :: acc.Ast.program_items;
          }
        | Ast.LawInclude (Ast.CatalaFile inc_file) ->
          let source_dir = Filename.dirname source_file in
          let sub_source = File.(source_dir / Mark.remove inc_file) in
          let pos = Mark.get inc_file in
          if File.check_file sub_source = None then
            Message.delayed_error ~kind:Parsing ~pos acc
              "Included file '%s' is not a regular file or does not exist."
              sub_source
          else
            let sub_source = resolve_included_file sub_source in
            with_sedlex_source sub_source
            @@ fun lexbuf ->
            let includ_program = parse_source ~resolve_included_file lexbuf in
            let () =
              includ_program.Ast.program_module
              |> Option.iter
                 @@ fun id ->
                 Message.error ~kind:Parsing
                   ~extra_pos:
                     [
                       "File include", Mark.get inc_file;
                       "Module declaration", Mark.get id.Ast.module_name;
                     ]
                   "A file that declares a module cannot be used through the \
                    raw '@{<yellow>> Include@}'@ directive.@ You should use it \
                    as a module with@ '@{<yellow>> Use @{<blue>%s@}@}'@ \
                    instead."
                   (Mark.remove id.Ast.module_name)
            in
            {
              Ast.program_module = acc.program_module;
              Ast.program_source_files =
                List.rev_append includ_program.program_source_files
                  acc.Ast.program_source_files;
              Ast.program_items =
                List.rev_append includ_program.program_items
                  acc.Ast.program_items;
              Ast.program_used_modules =
                List.rev_append includ_program.program_used_modules
                  acc.Ast.program_used_modules;
              Ast.program_lang = language;
            }
        | Ast.LawHeading (heading, commands') ->
          let {
            Ast.program_module;
            Ast.program_items = commands';
            Ast.program_source_files = new_sources;
            Ast.program_used_modules = new_used_modules;
            Ast.program_lang = _;
          } =
            expand_includes source_file commands'
          in
          {
            Ast.program_module = join_module_names program_module;
            Ast.program_source_files =
              List.rev_append new_sources acc.Ast.program_source_files;
            Ast.program_items =
              Ast.LawHeading (heading, commands') :: acc.Ast.program_items;
            Ast.program_used_modules =
              List.rev_append new_used_modules acc.Ast.program_used_modules;
            Ast.program_lang = language;
          }
        | i -> { acc with Ast.program_items = i :: acc.Ast.program_items })
      {
        Ast.program_module = None;
        Ast.program_source_files = [];
        Ast.program_items = [];
        Ast.program_used_modules = [];
        Ast.program_lang = language;
      }
      commands
  in
  {
    Ast.program_lang = language;
    Ast.program_module = rprg.Ast.program_module;
    Ast.program_source_files = List.rev rprg.Ast.program_source_files;
    Ast.program_items = List.rev rprg.Ast.program_items;
    Ast.program_used_modules = List.rev rprg.Ast.program_used_modules;
  }

(** {2 Handling interfaces} *)

(** {1 API} *)

let check_modname program source_file =
  match program.Ast.program_module, source_file with
  | ( Some { module_name = mname, pos; _ },
      (Global.FileName file | Global.Contents (_, file) | Global.Stdin file) )
    when not File.(equal mname Filename.(remove_extension (basename file))) ->
    Message.error ~kind:Parsing ~pos
      "Module declared as@ @{<blue>%s@},@ which@ does@ not@ match@ the@ file@ \
       name@ %a.@ Rename the module to@ @{<blue>%s@}@ or@ the@ file@ to@ %a."
      mname File.format file
      (String.capitalize_ascii Filename.(remove_extension (basename file)))
      File.format
      File.((dirname file / mname) ^ Filename.extension file)
  | _ -> ()

let load_source_file ?default_module_name source_file content_builder =
  let program = with_sedlex_source source_file parse_source in
  check_modname program source_file;
  let modname =
    match program.Ast.program_module, default_module_name with
    | Some mname, _ -> mname
    | None, Some n ->
      {
        module_name =
          n, Pos.from_info (Global.input_src_file source_file) 0 0 0 0;
        module_external = false;
      }
    | None, None ->
      Message.error ~kind:Parsing
        "%a doesn't define a module name. It should contain a '@{<cyan>> \
         Module %s@}' directive."
        File.format
        (Global.input_src_file source_file)
        (match source_file with
        | FileName s ->
          String.capitalize_ascii Filename.(basename (remove_extension s))
        | _ -> "Module_name")
  in
  let used_modules, module_items = content_builder program in
  {
    Ast.module_modname = modname;
    Ast.module_items;
    Ast.module_submodules = used_modules;
  }

let load_interface ?default_module_name source_file =
  let get_interface program =
    let rec filter (req, acc) = function
      | Ast.LawInclude _ | Ast.LawText _ | Ast.ModuleDef _ -> req, acc
      | Ast.LawHeading (_, str) -> List.fold_left filter (req, acc) str
      | Ast.ModuleUse (mod_use_name, alias) ->
        ( {
            Ast.mod_use_name;
            mod_use_alias = Option.value ~default:mod_use_name alias;
          }
          :: req,
          acc )
      | Ast.CodeBlock (code, _, is_metadata) ->
        (* Non-metadata blocks are ignored ; except for types that can
           automatically get exported if required by public or test items *)
        ( req,
          List.fold_left
            (fun acc -> function
              | Ast.ScopeUse _, _ -> acc
              | ((Ast.ScopeDecl _ | StructDecl _ | EnumDecl _), _) as e ->
                ( e,
                  if is_metadata then Shared_ast.Public else Shared_ast.Private
                )
                :: acc
              | Ast.Topdef def, m ->
                if is_metadata then
                  ((Ast.Topdef { def with topdef_expr = None }, m), Public)
                  :: acc
                else acc)
            acc code )
    in
    let req, acc = List.fold_left filter ([], []) program.Ast.program_items in
    List.rev req, Ast.Interface (List.rev acc)
  in
  load_source_file ?default_module_name source_file get_interface

let load_interface_and_code ?default_module_name source_file =
  let get_code_block program =
    let rec filter req = function
      | Ast.LawInclude _ | Ast.LawText _ | Ast.ModuleDef _ -> req
      | Ast.LawHeading (_, str) -> List.fold_left filter req str
      | Ast.ModuleUse (mod_use_name, alias) ->
        {
          Ast.mod_use_name;
          mod_use_alias = Option.value ~default:mod_use_name alias;
        }
        :: req
      | Ast.CodeBlock _ -> req
    in
    let mod_uses = List.fold_left filter [] program.Ast.program_items in
    List.rev mod_uses, Ast.Code program.Ast.program_items
  in
  load_source_file ?default_module_name source_file get_code_block

let resolution_tbl = Hashtbl.create 13

let register_included_file_resolver ~filename:s ~new_content =
  Hashtbl.replace resolution_tbl s new_content

let parse_top_level_file
    ?resolve_included_file
    (source_file : File.t Global.input_src) : Ast.program =
  let resolve_included_file =
    let tbl_lookup s = Hashtbl.find_opt resolution_tbl s in
    match resolve_included_file with
    | None -> fun s -> Option.value (tbl_lookup s) ~default:(Global.FileName s)
    | Some f -> f
  in
  Message.with_delayed_errors
  @@ fun () ->
  let program =
    with_sedlex_source source_file (parse_source ~resolve_included_file)
  in
  check_modname program source_file;
  {
    program with
    Ast.program_items = law_struct_list_to_tree program.Ast.program_items;
  }