From 71d7a8422707e37b065d02549f0737f4f515d9f7 Mon Sep 17 00:00:00 2001
From: Andre Maroneze <andre.maroneze@cea.fr>
Date: Thu, 17 Feb 2022 18:15:40 +0100
Subject: [PATCH] [analysis-scripts] finalize removal of make-template

---
 share/analysis-scripts/make_template.py | 251 ------------------------
 1 file changed, 251 deletions(-)
 delete mode 100755 share/analysis-scripts/make_template.py

diff --git a/share/analysis-scripts/make_template.py b/share/analysis-scripts/make_template.py
deleted file mode 100755
index dad3225eece..00000000000
--- a/share/analysis-scripts/make_template.py
+++ /dev/null
@@ -1,251 +0,0 @@
-#!/usr/bin/env python3
-#-*- coding: utf-8 -*-
-##########################################################################
-#                                                                        #
-#  This file is part of Frama-C.                                         #
-#                                                                        #
-#  Copyright (C) 2007-2021                                               #
-#    CEA (Commissariat à l'énergie atomique et aux énergies              #
-#         alternatives)                                                  #
-#                                                                        #
-#  you can redistribute it and/or modify it under the terms of the GNU   #
-#  Lesser General Public License as published by the Free Software       #
-#  Foundation, version 2.1.                                              #
-#                                                                        #
-#  It is distributed in the hope that it will be useful,                 #
-#  but WITHOUT ANY WARRANTY; without even the implied warranty of        #
-#  MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the         #
-#  GNU Lesser General Public License for more details.                   #
-#                                                                        #
-#  See the GNU Lesser General Public License version 2.1                 #
-#  for more details (enclosed in the file licenses/LGPLv2.1).            #
-#                                                                        #
-##########################################################################
-
-# This script is used to interactively fill template.mk, converting it
-# into a GNUmakefile ready for analysis.
-
-import sys
-import os
-import re
-import shutil
-import shlex
-import glob
-import json
-from subprocess import Popen, PIPE
-from pathlib import Path
-import function_finder
-
-if len(sys.argv) > 2:
-    print(f"usage: {sys.argv[0]} [dir]")
-    print("       creates a Frama-C makefile in [dir] (default: .frama-c)")
-    sys.exit(1)
-
-framac_bin = os.getenv('FRAMAC_BIN')
-if not framac_bin:
-    sys.exit("error: FRAMAC_BIN not in environment (set by frama-c-script)")
-framac_bin = Path(framac_bin)
-
-jcdb = Path("compile_commands.json")
-
-dir = Path(sys.argv[1] if len(sys.argv) == 2 else ".frama-c")
-fc_stubs_c = dir / "fc_stubs.c"
-gnumakefile = dir / "GNUmakefile"
-
-print(f"Preparing template: {gnumakefile}")
-
-# relative prefix, due to GNUmakefile possibly being in a sub-directory of PWD
-relprefix = os.path.relpath(os.getcwd(), dir)
-
-if "PTESTS_TESTING" in os.environ:
-    print("Running ptests: setting up mock files...")
-    jcdb.touch()
-    Path(dir).mkdir(parents=True, exist_ok=True)
-    fc_stubs_c.touch()
-    gnumakefile.touch()
-
-process = Popen([framac_bin / "frama-c", "-print-config-json"], stdout=PIPE)
-(output, err) = process.communicate()
-exit_code = process.wait()
-if exit_code != 0:
-    sys.exit(f"error running frama-c -print-config-json")
-
-fc_config = json.loads(output.decode('utf-8'))
-sharedir = Path(fc_config['datadir'])
-default_machdep = fc_config['current_machdep']
-machdeps = fc_config['machdeps']
-
-def check_path_exists(path):
-    if path.exists():
-        yn = input(f"warning: {path} already exists. Overwrite? [y/N] ")
-        if yn == "" or not (yn[0] == "Y" or yn[0] == "y"):
-            print("Exiting without overwriting.")
-            sys.exit(0)
-    pathdir = path.parent
-    if not pathdir.exists():
-        yn = input(f"warning: directory '{pathdir}' does not exit. Create it? [y/N] ")
-        if yn == "" or not (yn[0] == "Y" or yn[0] == "y"):
-            print("Exiting without creating.")
-            sys.exit(0)
-        pathdir.mkdir(parents=True, exist_ok=False)
-
-check_path_exists(gnumakefile)
-main = input("Main target name: ")
-if not re.match("^[a-zA-Z_0-9-]+$", main):
-    sys.exit("error: invalid main target name (can only contain letters, digits, dash or underscore)")
-
-main_fun_finder_re = function_finder.prepare_re_specific_name("main")
-
-# returns 0 if none, 1 if declaration, 2 if definition
-def defines_or_declares_main(f):
-    return function_finder.find_specific_name(main_fun_finder_re, f)
-
-def expand_and_normalize_sources(expression, relprefix):
-    subexps = shlex.split(expression)
-    sources_lists = [glob.glob(exp, recursive=True) for exp in subexps]
-    sources = sorted(set([item for sublist in sources_lists for item in sublist]))
-    return sources
-
-def rel_prefix(f):
-    return f"{f}" if os.path.isabs(f) else f"{relprefix}/{f}"
-
-def sources_list_for_makefile(sources):
-    return "\n".join([f"  {rel_prefix(source)} \\" for source in sources])
-
-def main_suffix(f):
-    main = defines_or_declares_main(f)
-    if main == 2:
-        return "\t# defines 'main'"
-    elif main == 1:
-        return "\t# declares 'main'"
-    else:
-        return ""
-
-while True:
-    sources = input("Source files (default: **/*.c): ")
-    if not sources:
-        sources="**/*.c"
-    source_list = expand_and_normalize_sources(sources, relprefix)
-    if not source_list:
-        print(f"error: no sources were matched for '{sources}'.")
-    else:
-        print(f"The following sources were matched (relative to {dir}):")
-        print("\n".join(["  " + rel_prefix(source) + main_suffix(source) for source in source_list]))
-        print()
-        definitions_of_main = len([source for source in source_list if defines_or_declares_main(source)])
-        if definitions_of_main > 1:
-            print("warning: 'main' seems to be defined multiple times.")
-        yn = input("Is this ok? [Y/n] ")
-        if yn == "" or not (yn[0] == "N" or yn[0] == "n"):
-            break
-
-json_compilation_database = None
-if jcdb.is_file():
-    yn = input("compile_commands.json exists, add option -json-compilation-database? [Y/n] ")
-    if yn == "" or not (yn[0] == "N" or yn[0] == "n"):
-        json_compilation_database = f"{relprefix}/compile_commands.json"
-    else:
-        print("Option not added; you can later add it to FCFLAGS.")
-
-add_main_stub = False
-yn = input("Add stub for function main (only needed if it uses command-line arguments)? [y/N] ")
-if yn != "" and (yn[0] == "Y" or yn[0] == "y"):
-    add_main_stub = True
-
-print("Please define the architectural model (machdep) of the target machine.")
-print("Known machdeps: " + " ".join(machdeps))
-machdep_chosen = False
-while not machdep_chosen:
-    machdep = input(f"Please enter the machdep [{default_machdep}]: ")
-    if not machdep:
-        machdep = default_machdep
-        machdep_chosen = True
-    else:
-        if not (machdep in machdeps):
-            yn = input(f"'{machdep}' is not a standard machdep. Proceed anyway? [y/N]")
-            if yn != "" and (yn[0] == "Y" or yn[0] == "y"):
-                machdep_chosen = True
-        else:
-            machdep_chosen = True
-
-def insert_line_after(lines, line_pattern, newline):
-    re_line = re.compile(line_pattern)
-    for i in range(0, len(lines)):
-        if re_line.search(lines[i]):
-            lines.insert(i+1, newline)
-            return lines
-    sys.exit(f"error: no lines found matching pattern: {line_pattern}")
-
-def replace_line(lines, line_pattern, value, all_occurrences=False):
-    replaced = False
-    re_line = re.compile(line_pattern)
-    for i in range(0, len(lines)):
-        if re_line.search(lines[i]):
-            lines[i] = value
-            replaced = True
-            if not all_occurrences:
-                return lines
-    if replaced:
-        return lines
-    else:
-        sys.exit(f"error: no lines found matching pattern: {line_pattern}")
-
-def remove_lines_between(lines, start_pattern, end_pattern):
-    re_start = re.compile(start_pattern)
-    re_end = re.compile(end_pattern)
-    first_to_remove = -1
-    last_to_remove = -1
-    for i in range(0, len(lines)):
-        if first_to_remove == -1 and re_start.search(lines[i]):
-            first_to_remove = i
-        elif re_end.search(lines[i]):
-            last_to_remove = i
-            break
-    if first_to_remove == -1:
-        sys.exit("error: could not find start pattern: " + start_pattern)
-    elif last_to_remove == -1:
-        sys.exit("error: could not find end pattern: " + end_pattern)
-    return (lines[:first_to_remove-1] if first_to_remove > 0 else []) + (lines[last_to_remove+1:] if last_to_remove < len(lines)-1 else [])
-
-with open(sharedir / "analysis-scripts" / "template.mk") as f:
-    lines = list(f)
-    lines = replace_line(lines, "^MACHDEP = .*", f"MACHDEP = {machdep}\n")
-    if add_main_stub:
-        lines = insert_line_after(lines, "^main.parse: \\\\", f"  fc_stubs.c \\\n")
-        check_path_exists(fc_stubs_c)
-        shutil.copyfile(sharedir / "analysis-scripts" / "fc_stubs.c", fc_stubs_c)
-        lines = insert_line_after(lines, "^FCFLAGS", "  -main eva_main \\\n")
-        print(f"Created stub for main function: {dir / 'fc_stubs.c'}")
-    lines = replace_line(lines, "^main.parse: \\\\", f"{main}.parse: \\\n")
-    lines = replace_line(lines, "^TARGETS = main.eva", f"TARGETS = {main}.eva\n")
-    lines = replace_line(lines, "^  main.c \\\\", sources_list_for_makefile(source_list) + "\n")
-    if json_compilation_database:
-      lines = insert_line_after(lines, "^FCFLAGS", f"  -json-compilation-database {json_compilation_database} \\\n")
-    if relprefix != "..":
-        lines = replace_line(lines, "^  -add-symbolic-path=..:. \\\\", f"  -add-symbolic-path={relprefix}:. \\\n", all_occurrences=True)
-
-gnumakefile.write_text("".join(lines))
-
-print(f"Template created: {gnumakefile}")
-
-# write path.mk
-path_mk = dir / "path.mk"
-
-with open(path_mk, "w") as f:
-    f.write(f"""FRAMAC_BIN={framac_bin}
-ifeq ($(wildcard $(FRAMAC_BIN)),)
-# Frama-C not installed locally; using the version in the PATH
-else
-FRAMAC=$(FRAMAC_BIN)/frama-c
-FRAMAC_GUI=$(FRAMAC_BIN)/frama-c-gui
-endif
-""")
-
-print(f"Path to Frama-C binaries written to: {path_mk}")
-
-if "PTESTS_TESTING" in os.environ:
-    print("Running ptests: cleaning up after tests...")
-    jcdb.unlink()
-    fc_stubs_c.unlink()
-    path_mk.unlink()
-    # gnumakefile is not erased because we want it as an oracle
-- 
GitLab