コード例 #1
0
ファイル: import.py プロジェクト: kreopt/aioweb
    def import_migrations_from_app(app):
        migrations_dir = lib.dirs(settings, app=app, format=["migrations"], check=True)
        if not migrations_dir: return
        print("[ %s ]" % app)
        existant_migrations = []
        for m in sorted(os.listdir(dest_dir)):
            if not m.startswith('_') and m.endswith('.py'):
                mp = os.path.join(dest_dir, m)
                with open(mp) as f:
                    if "# {} module".format(app) in f.read():
                        existant_migrations.append(mp)

        if existant_migrations:
            rc = lib.ask("The migrations for {} alerady installed.\nDo You wanna remove its?".format(app))
            if rc == 'n':
                return
            for m in existant_migrations:
                print("removing " + m)
                os.unlink(m)
            print("")

        migrations = [(os.path.join(migrations_dir, m), re.sub(r"^[\d_]+", "", m)[:-3]) for m in
                      sorted(os.listdir(migrations_dir)) if not m.startswith('_') and m.endswith('.py')]
        for path, name in migrations:
            ts = datetime.utcnow().strftime("%Y_%m_%d_%H%M%S%f")
            dest_file = os.path.join(dest_dir, ts + "_" + name + ".py")
            print("creating " + dest_file)
            shutil.copy2(path, dest_file)
            lib.insert_in_python(dest_file, ["from"], ["# {} module. please dont remove this line".format(app)],
                                 in_end=True, ignore_pass=True)
コード例 #2
0
ファイル: controller_method.py プロジェクト: kreopt/aioweb
def execute(argv, argv0, engine):
    import lib, inflection, re
    os.environ.setdefault("AIOWEB_SETTINGS_MODULE", "settings")
    from aioweb import settings

    sys.path.append(os.getcwd())
    if len(argv) < 2:
        usage(argv0)

    controller_name = inflection.camelize(argv[0]) + "Controller"
    controller_file_name = inflection.underscore(argv[0]) + ".py"
    method_name = inflection.underscore(argv[1])

    controllers_dir = lib.dirs(settings, format=["tests_controllers"])
    dest_file = os.path.join(controllers_dir, controller_file_name)

    os.makedirs(os.path.dirname(dest_file), exist_ok=True)
    template = lib.get_template("tests/controller_method.py", settings)

    if not os.path.exists(dest_file):
        print("Sorry but {} does not exist!".format(dest_file))
        return

    print("adding 'test_{}' to {}".format(method_name, dest_file))

    with open(template, "r") as f:
        method_code = f.read().replace("METHOD", method_name).replace(
            "CLASS", controller_name).replace("CONTROLLER_NAME",
                                              controller_file_name[:-3])

    lib.insert_in_python(dest_file, ["class test_{}".format(controller_name)],
                         method_code.split("\n"),
                         in_end=True,
                         ignore_pass=True)
コード例 #3
0
 def test_insert_import_after_import(s):
     lib.insert_in_python(s.file_path, ["import"],
                          ["from auzli import lsd"])
     f = open(s.file_path)
     res = f.read()
     f.close()
     f = open(os.path.join(s.files_dir, "insert_in_python_r5.py"))
     ok = f.read()
     f.close()
     s.assertTrue(res == ok)
コード例 #4
0
 def test_insert_code_after_brief(s):
     lib.insert_in_python(s.file_path, ["AcidTest", "def up"],
                          ["for i in [1,1,2,3]:", "  print(i)"])
     f = open(s.file_path)
     res = f.read()
     f.close()
     f = open(os.path.join(s.files_dir, "insert_in_python_r1.py"))
     ok = f.read()
     f.close()
     s.assertTrue(res == ok)
コード例 #5
0
    def test_end_of_block_insertion_and_pass_word(s):
        lib.insert_in_python(s.file_path, ["AcidTest", "def down", "with"],
                             ["for i in [1,1,2,3]:", "  print(i)"], True)

        f = open(s.file_path)
        res = f.read()
        f.close()
        f = open(os.path.join(s.files_dir, "insert_in_python_r7.py"))
        ok = f.read()
        f.close()
        s.assertTrue(res == ok)
コード例 #6
0
    def test_insert_code_in_beginning_of_block(s):
        lib.insert_in_python(s.file_path, ["AcidTest", "def up", "with"],
                             ["for i in [1,1,2,3]:", "  print(i)"])

        f = open(s.file_path)
        res = f.read()
        f.close()
        f = open(os.path.join(s.files_dir, "insert_in_python_r2.py"))
        ok = f.read()
        f.close()
        s.assertTrue(res == ok)
コード例 #7
0
ファイル: migration.py プロジェクト: kreopt/aioweb
def execute(argv, argv0, engine):
    import lib
    os.environ.setdefault("AIOWEB_SETTINGS_MODULE", "settings")
    from aioweb import settings

    sys.path.append(os.getcwd())

    if len(argv) <= 1 or '-h' in argv or '--help' in argv:
        usage(argv0)

    additional_fields = lib.get_fields_from_argv(argv[2:], usage, argv0)

    migrations_dir = lib.dirs(settings, format=["migrations"])

    table_name = argv[0]
    migration_name = argv[1]

    try:
        migrations = [
            os.path.join(migrations_dir, f) for f in os.listdir(migrations_dir)
            if migration_name in f
        ]
    except FileNotFoundError:
        migrations = []
    rc = None
    for m in migrations:
        if rc not in ['a', 'all']:
            rc = lib.ask(
                "\n{} already exists.\nDo you wanna remove it before create migration?"
                .format(m), ['y', 'n', 'e', 'exit', 'all', 'a', 'skip all'])
        if rc in ['skip all']:
            break
        if rc in ['e', 'exit']:
            print("migration aborted")
            sys.exit(1)

        if rc in ['a', 'y', 'all']:
            print("delete " + m)
            os.unlink(m)

    os.system("orator make:migration {} -p {} -t {}".format(
        migration_name, migrations_dir, table_name))
    file_name = os.path.join(migrations_dir, [
        f for f in sorted(os.listdir(migrations_dir)) if migration_name in f
    ][-1])
    print("patching " + file_name)
    lib.insert_in_python(
        file_name, ["def up", "as table:"],
        ["table.{}('{}')".format(tp, name) for tp, name in additional_fields])
    lib.insert_in_python(file_name, ["def down", "as table:"], [
        "table.drop_column('{}')".format(name)
        for tp, name in additional_fields
    ])
コード例 #8
0
    def test_zignore_pass(s):
        lib.insert_in_python(s.file_path, ["AcidTest", "def down", "with"],
                             ["#for i in [1,1,2,3]:", "#  print(i)"],
                             ignore_pass=True)

        f = open(s.file_path)
        res = f.read()
        f.close()
        f = open(os.path.join(s.files_dir, "insert_in_python_r9.py"))
        ok = f.read()
        f.close()
        s.assertTrue(res == ok)
コード例 #9
0
    def test_empty_line(s):
        lib.insert_in_python(s.file_path, ["AcidTest"], [
            "def drop(self):", "    for i in [1,1,2,3]:", "        print(i)",
            ""
        ])

        f = open(s.file_path)
        res = f.read()
        f.close()
        f = open(os.path.join(s.files_dir, "insert_in_python_r3.py"))
        ok = f.read()
        f.close()
        s.assertTrue(res == ok)
コード例 #10
0
    def test_end_of_block_insertion2(s):
        lib.insert_in_python(s.file_path, ["AcidTest", "def up", "with"],
                             ["for i in [1,1,2,3]:", "  print(i)"], True)
        lib.insert_in_python(s.file_path, ["AcidTest", "def up", "with"],
                             ["self.string('weight')"],
                             in_end=True)

        f = open(s.file_path)
        res = f.read()
        f.close()
        f = open(os.path.join(s.files_dir, "insert_in_python_r8.py"))
        ok = f.read()
        f.close()
        s.assertTrue(res == ok)
コード例 #11
0
def execute(argv, argv0, engine):
    if not argv:
        usage(argv0)

    import lib
    os.environ.setdefault("AIOWEB_SETTINGS_MODULE", "settings")
    from aioweb import settings

    additional_fields = lib.get_fields_from_argv(argv[1:], usage, argv0)
    if not additional_fields: additional_fields = [("string", "somefield")]

    table, model_name, model_class = lib.names(argv[0],
                                               ["table", "model", "class"])
    factories_dir = lib.dirs(settings, format=["factories"])

    os.makedirs(factories_dir, exist_ok=True)
    dest_path = os.path.join(factories_dir, '{}_factory.py'.format(table))

    if os.path.exists(dest_path):
        if lib.ask(dest_path + " exists\nDo You wanna rewrite it?") == 'n':
            print("factory generation cancelled")
            return

    template = lib.get_template("tests/factory.py", settings)
    with open(template, "r") as f:
        print("generating " + dest_path)
        content = f.read().replace("MODEL", model_name).replace(
            "CLASS", model_class).replace("TABLE", table)
        with open(dest_path, "w") as df:
            df.write(content)
        lib.insert_in_python(
            dest_path, ["import"],
            ['from app.models.{} import {}'.format(model_name, model_class)])
        lib.insert_in_python(
            dest_path, ["return"],
            map(lambda prm: '    "{}": None, '.format(prm[1]),
                additional_fields))
コード例 #12
0
def execute(argv, argv0, engine):
    import lib, inflection, re
    os.environ.setdefault("AIOWEB_SETTINGS_MODULE", "settings")
    from aioweb import settings

    sys.path.append(os.getcwd())

    if len(argv) == 0 or '-h' in argv or '--help' in argv or argv[0].startswith('-'):
        usage(argv0)

    additional_fields = lib.get_fields_from_argv(argv[1:], usage, argv0)

    migrations_dir, models_dir = lib.dirs(settings, format=["migrations", "models"])
    table, model_name, model_class = lib.names(argv[0], ["table", "model", "class"])

    migration_name = "create_{}_table".format(table)
    model_file = os.path.join(models_dir, "{}.py".format(model_name))
    rewrite = True
    if os.path.exists(model_file):
        if lib.ask("{} already exists. Do you wanna rewrite it?".format(model_file)) == 'n': rewrite = False
        if rewrite:
            print("delete " + model_file)
            os.unlink(model_file)

    if rewrite:
        os.system("orator make:model {} -p app/models".format(inflection.singularize(table).capitalize()))

    rewrite = True
    try:
        rc = [f for f in os.listdir(migrations_dir) if migration_name in f]
    except FileNotFoundError:
        rc = []
    if len(rc) > 0:
        if lib.ask(
            "{} already exists.\nDo you wanna rewrite it?".format("db/migrations/" + rc[0])) == 'n': rewrite = False
        if rewrite:
            for f in rc:
                print("delete " + "db/migrations/" + f)
                os.unlink(os.path.join(migrations_dir, f))

    if rewrite:
        os.system("orator make:migration {} -p db/migrations/ -C -t {}".format(migration_name, table))
        file_name = os.path.join(migrations_dir,
                                 [f for f in sorted(os.listdir(migrations_dir)) if migration_name in f][-1])
        print("patching " + file_name)
        lib.insert_in_python(file_name, ["def up", "as table:"],
                             ["table.{}('{}').nullable()".format(tp, name) for tp, name in additional_fields],
                             in_end=True)
        print("patching " + model_file)
        with open(model_file, "r") as fr:
            content = fr.read()
            wrong_class_name = re.search(r"class ([_a-zA-Z0-9]+)", content).group(1)
            right_class_name = inflection.camelize(wrong_class_name.lower())
            with open(model_file, "w") as f:
                f.write(re.sub(wrong_class_name, right_class_name, content))
            

        fillable = "__fillable__ = [{}]".format(", ".join( ['"{}"'.format(name) for tp, name in additional_fields] ))
        lib.insert_in_python(model_file, ["class"],
                             [fillable] + ["# {}{} - {}".format(name, (25 - len(name)) * ' ', tp) for tp, name in additional_fields],
                             ignore_pass=True)

    print("generating factory")
    engine["commands"]["generate"]["test"]["factory"](argv, argv0, engine)
    engine["commands"]["generate"]["test"]["model"](argv[:1], argv0, engine)
コード例 #13
0
ファイル: crud_controller.py プロジェクト: kreopt/aioweb
def execute(argv, argv0, engine):
    import lib, inflection, re
    from aioweb import settings

    if len(argv) == 0 or '-h' in argv or '--help' in argv:
        usage(argv0)
    additional_fields = lib.get_fields_from_argv(argv[1:], usage, argv0)
    controllers_dir, models_dir, views_dir, configs_dir = lib.dirs(settings, format=["controllers", "models", "views", "config"])
    table, model_name, model_class, controller_class = lib.names(argv[0], ["table", "model", "class", 'crud_class'])
    controller_file = os.path.join(controllers_dir, "{}.py".format(table))
    views_dir= os.path.join(views_dir, table)
    routes_file = os.path.join(configs_dir, "routes.py")

    rewrite=False
    replacements= {
                    'MODEL': model_name, 
                    'MODEL_CLASS': model_class,
                    'CONTROLLER_CLASS': controller_class,
                    'TABLE': table,
                    'MODEL_FIELD_NAMES': ', '.join(list(map(lambda type_name: '"' + type_name[1] + '"', additional_fields))),
                  }
    controller_code = lib.read_template("crud/controller.py", settings=settings, replacements=replacements)
    os.makedirs(controllers_dir, exist_ok=True)
    if os.path.exists(controller_file):
        if lib.ask(controller_file + " already exists.\nDo you wanna rewrite it?") == 'n':
            sys.exit(1)
    print("creating {}...".format(controller_file))

    with open(controller_file, "w") as f: f.write(controller_code)
    with open(routes_file, "r") as f:
        if not re.search(r"['\"]{}['\"]".format(table), f.read()):
            print("patching {}".format(routes_file))
            lib.insert_in_python(routes_file, ["setup(router)"], ["router.resource('{}', '{}')".format(table, table)], in_end=True)
    print("")
    if os.path.exists(views_dir):
        if lib.ask(views_dir + "/ already exists.\nDo you wanna wipe out it?") == 'n':
            sys.exit(1)

    form_fields = ""
    for tp, name in additional_fields:
        form_fields+='<div class="field">\n'
        form_fields+='  <label>{}\n'.format(name)
        form_fields+='    <input'
        if tp in ['decimal', 'double', 'integer', 'big_integer', 'float']:
           form_fields += ' type="number" '
        else:
           form_fields += ' type="text"   '
        form_fields+='name="{}[{}]" '.format(model_name, name)
        form_fields+= '{% if model.' + name + ' != None %} ' + 'value="{{ model.' + name + ' }}" ' + '{% endif %}'

        form_fields+='>' + "</input>"
        form_fields+="\n"
        form_fields+='  </label>\n</div>'
    replacements={
                    'MODEL': model_name,
                    'TABLE': table,
                    'FORM_FIELDS': form_fields,
                 }
    os.makedirs(views_dir, exist_ok=True)
    for view_name in ["index.html", "get.html", "form.html", "edit_page.html", "add.html", "add_page.html", "edit.html", "delete.html"]:
        view_file = os.path.join(views_dir, view_name)
        print("creating {}...".format(view_file))
        view_code = lib.read_template("crud/{}".format(view_name), settings=settings, replacements=replacements)
        with open(view_file, "w") as f: f.write(view_code)
    engine["commands"]["generate"]["test"]["crud"](argv, argv0, engine)