From 6fdbaff49b71983452bdec116aa9dec624f50854 Mon Sep 17 00:00:00 2001 From: Eugen Maksymenko <54111255+SchleichsSalaticus@users.noreply.github.com> Date: Tue, 1 Jun 2021 17:07:02 +0200 Subject: [PATCH] Implement the init command for user config creation (fix #33) check if a config already exists ask for data and create dynamically a config file Add a overview of the configuration file Add information about the init command Update the docs with the init command Add an -c/--change option for the init command Add a second option to pass arguments with direct console input Add tests for the init cmd Update setup.cfg --- .github/workflows/pytest.yml | 2 +- README.md | 5 +- bin/reportdaily.py | 256 +++++++++++++++++++- devel-requirements.txt | 3 +- docs/reportdaily.rst | 10 + setup.cfg | 3 +- tests/test_cli.py | 8 +- tests/test_init.py | 445 +++++++++++++++++++++++++++++++++++ 8 files changed, 715 insertions(+), 17 deletions(-) create mode 100644 tests/test_init.py diff --git a/.github/workflows/pytest.yml b/.github/workflows/pytest.yml index 913aa052..8e11d8ad 100644 --- a/.github/workflows/pytest.yml +++ b/.github/workflows/pytest.yml @@ -31,4 +31,4 @@ jobs: - name: Run Tests and create coverage run: | - pytest -v \ No newline at end of file + pytest -rP -v \ No newline at end of file diff --git a/README.md b/README.md index 25c529cf..fa37771e 100644 --- a/README.md +++ b/README.md @@ -31,9 +31,10 @@ Just clone the repository and cd into the directory ### Subcommands +- `init` : initialize and create config on first time - `new` : new day for entries - `add` : creates a new entry -- `change` :change an existing entry +- `change` : change an existing entry - `delete` : delete an entry - `list`: listing all existing entries - `export` : export all entries in a file format @@ -43,6 +44,8 @@ Just clone the repository and cd into the directory ```bash git clone [this project] cd reportdaily + python3 bin/reportdaily.py init + # create user config python3 bin/reportdaily.py new # a new day has been added. python3 bin/reportdaily.py add "message" diff --git a/bin/reportdaily.py b/bin/reportdaily.py index e8681939..4851a324 100755 --- a/bin/reportdaily.py +++ b/bin/reportdaily.py @@ -4,12 +4,17 @@ import logging from logging.config import dictConfig import sys +# configparser +from datetime import date +from configparser import ConfigParser +import os class MissingSubCommand(ValueError): pass +CONFIGPATH = os.path.expanduser("~/.config/reportdaily/reportdailyrc") __version__ = "0.3.0" __author__ = "Eugen Maksymenko " @@ -56,6 +61,226 @@ class MissingSubCommand(ValueError): log.addHandler(logging.NullHandler()) +def cmd_init(args, CONFIGPATH): + """ + Initializes global user data (required for the first time). + Either user data can be entered directly via options or user will be asked. + + :param argparse.Namespace args: Arguments given by the command line + :param str CONFIGPATH: Path where the configuration file is stored + :return: exit code of this function + :rtype: int + """ + log.debug("INIT selected %s", args) + + # check if a config file already exist + if os.path.exists(CONFIGPATH): + show_config(CONFIGPATH) + # check if the user wants to change in the existing file + if args.change is True: + how_to_change_config(args, CONFIGPATH) + return 1 + # create a config if there is none + else: + create_config(args, CONFIGPATH) + show_config(CONFIGPATH) + return 0 + + +def show_config(CONFIGPATH): + """ + Show the configs to the user + + :param str CONFIGPATH: String with an absolute path for looking up the values of the configfile + """ + + # read the config + parser = ConfigParser() + parser.read(CONFIGPATH) + + print( + f""" + "Your current configuration at the moment" + Name: {parser.get("settings","name")} + Team: {parser.get("settings", "team")} + Date: {parser.get("settings", "current_day")} + Year: {parser.get("settings", "start_year")} + + If you desire to make changes to the configuration try the -c or --change option for the init command + """ + ) + + +def create_config(args, CONFIGPATH): + """ + Create a config file, from users input, where the user data is stored as a dict + :param argparser.Namespace args: Arguments given by the command line + :param str CONFIGPATH: Path where the configuration file is stored + """ + # name + print("Please enter your full name --> example: 'Max Musterman'") + name = ask_for_input(args.name, "Enter your Name: ") + # team + team = ask_for_input(args.team, "Enter your Team: ") + year = int(ask_for_input( + args.year, "In which year did your start your apprenticeship ?: ")) + # time + today_date = date.today() + # create a config file + config = ConfigParser() + config["settings"] = {'name': name, + 'team': team, 'current_day': today_date, 'start_year': year} + # create a config file + os.makedirs(os.path.dirname(CONFIGPATH), exist_ok=True) + with open(CONFIGPATH, 'w') as user_config: + config.write(user_config) + print(f"The file was created at this path {CONFIGPATH}") + + +def ask_for_input(var, message): + """ + Asks for input if passed variable is None, otherwise return variable value. + + :param str|None var: The variable to check + :param str message: The message to use as a prompt + :return: Either the input from the user or the value of a variable + :rtype: str + """ + if var is None: + var = input(message) + return var + + +def how_to_change_config(args, CONFIGPATH): + """ + Change or overwrite the configs via direct input or cli Attributes + + :param argparse.Namespace args: Attributes given by the command line + :param str CONFIGPATH: Path where the configuration file is stored + :return int: int return value for testing + """ + if args.name is None and args.year is None and args.team is None and args.change: + user_input_change(args, CONFIGPATH) + result_value = 0 + else: + namespace_config_change(args, CONFIGPATH) + + result_value = 1 + show_config(CONFIGPATH) + return result_value + + +def namespace_config_change(args, CONFIGPATH): + """ + Input arguments direct via the console + + :param argparse.Namespace args: Attributes given by the command line + :param str CONFIGPATH: Path where the configuration file is stored + """ + # store all the args from namespace + name = args.name + team = args.team + year = args.year + change = args.change + + # add config parser to file + config = ConfigParser() + config.read(CONFIGPATH) + if change is True: + # overwrite if namespace is filled + if name is not None: + config.set("settings", "name", name) + if team is not None: + config.set("settings", "team", team) + if year is not None: + config.set("settings", "start_year", year) + + with open(CONFIGPATH, "w") as configfile: + config.write(configfile) + # show config to the user , so changes are visible to the user + log.debug("namespace_config was selected") + + +def check_is_int(input_str, input_is_int): + """ + Prove if the given argument is an int and return True or decline and return False + + :param str input_str: String given that needs to be checked + :param bool input_is_int: bool value default False + :return: True if str is an int, False if str is not an int + :rtype: bool + """ + + if input_str.strip().isdigit(): + print("Year is a int value") + input_is_int = True + return input_is_int + else: + print("Input is not a int sorry, try again") + input_is_int = False + return input_is_int + + +def user_input_change(args, CONFIGPATH): + """ + Input the data that is asked by function tp change configs + + :param argparse.Namespace args: Attributes given by the command line + :param str CONFIGPATH: Path where the configuration file is stored + :return: the ConfigParser object + :rtype: configparse.ConfigParser + """ + # all user options + choice_table = {"Name": "t1", "Team": "t2", "Year": "t3"} + tmp_input = '' + overwrite_input = ' ' + + # show and ask user what he wants to overwrite + print(""" + "What do you want to change?" + Your options are + Name + Team + Year + """) + + # check for right user input + while(True): + tmp_input = input("Name, Team, Year? ").capitalize() + if tmp_input in choice_table: + # need to map the keys right to the settings --> from Name to name + if tmp_input == "Name": + tmp_input = "name" + elif tmp_input == "Team": + tmp_input = "team" + elif tmp_input == "Year": + tmp_input = "start_year" + break + else: + print("No key in config found --> Try again") + continue + + input_is_int = False + while(True): + overwrite_input = input("Enter the change ") + if tmp_input == "start_year" and input_is_int == False: + input_is_int = check_is_int( + overwrite_input, input_is_int) + if input_is_int == True: + break + elif tmp_input != "start_year": + break + + # add config parser to file + config = ConfigParser() + config.read(CONFIGPATH) + config.set("settings", f"{tmp_input}", f"{overwrite_input}") + with open(CONFIGPATH, "w") as configfile: + config.write(configfile) + # show config to the user , so changes are visible to the user + return config + + def cmd_new(args): """Creates a new day for the incoming entries""" log.debug("New selected %s", args) @@ -99,10 +324,10 @@ def cmd_export(args): def parsecli(cliargs=None) -> argparse.Namespace: - """Parse CLI with :class:`argparse.ArgumentParser` and return parsed result + """Parse CLI with: class:`argparse.ArgumentParser` and return parsed result - :param cliargs: Arguments to parse or None (=use sys.argv) - :return: parsed CLI result + : param cliargs: Arguments to parse or None (=use sys.argv) + : return: parsed CLI result """ parser = argparse.ArgumentParser(description=__doc__, epilog="Version %s written by %s " % ( @@ -120,6 +345,19 @@ def parsecli(cliargs=None) -> argparse.Namespace: # subparser subparsers = parser.add_subparsers(help='available sub commands') + # init cmd + parser_init = subparsers.add_parser( + 'init', help="Create an initial Configuration file") + parser_init.set_defaults(func=cmd_init) + parser_init.add_argument( + '--name', "-n", help='User Name') + parser_init.add_argument( + '--year', "-y", help='Start year of the trainee') + parser_init.add_argument( + '--team', "-t", help='Current team name') + parser_init.add_argument( + '--change', '-c', action='store_true', help='Change an existing configuration') + # new cmd parser_new = subparsers.add_parser('new', help="creates a new day entry") parser_new.set_defaults(func=cmd_new) @@ -177,12 +415,12 @@ def main(cliargs=None) -> int: args = parsecli(cliargs) # do some useful things here... # If everything was good, return without error: - # log.info("I'm an info message") - # log.debug("I'm a debug message.") - # log.warning("I'm a warning message.") - # log.error("I'm an error message.") - # log.fatal("I'm a really fatal massage!") - exit_code = args.func(args) + # log.info("I'm an info message") + # log.debug("I'm a debug message.") + # log.warning("I'm a warning message.") + # log.error("I'm an error message.") + # log.fatal("I'm a really fatal massage!") + exit_code = args.func(args, CONFIGPATH) return exit_code except MissingSubCommand as error: diff --git a/devel-requirements.txt b/devel-requirements.txt index cffeec65..e8ac9d09 100644 --- a/devel-requirements.txt +++ b/devel-requirements.txt @@ -1,2 +1,3 @@ pytest -pytest-cov \ No newline at end of file +pytest-cov +pytest-mock \ No newline at end of file diff --git a/docs/reportdaily.rst b/docs/reportdaily.rst index f92861a2..5a7d1a06 100644 --- a/docs/reportdaily.rst +++ b/docs/reportdaily.rst @@ -45,6 +45,16 @@ Subcommands .. HINT: Sort the subcommands alphabetically +init +~~~~ + +Is required for the first time use of the programm +User can enter his data directly or he need to answer some questions provided by this command + +.. code:: bash + + reportdaily init + new ~~~ diff --git a/setup.cfg b/setup.cfg index 37dbc2cc..ce006a2e 100644 --- a/setup.cfg +++ b/setup.cfg @@ -26,8 +26,7 @@ formats = bztar, zip [tool:pytest] minversion = 3.0 testpaths= tests/ -addopts = --cov=reportdaily tests/ --cov-report=term-missing - +addopts = --cov=reportdaily tests/ --cov-report=term-missing [options] scripts = bin/reportdaily.py diff --git a/tests/test_cli.py b/tests/test_cli.py index efef7925..e7332eef 100644 --- a/tests/test_cli.py +++ b/tests/test_cli.py @@ -1,12 +1,14 @@ import pytest import sys - import reportdaily as rd +# import monkey patching +from unittest.mock import patch + def test_version(capsys): """ - test if the version is correct + test if the version is correct """ # given the user use the --version option cliargs = ["--version"] @@ -41,7 +43,7 @@ def test_help(capsys): @pytest.mark.parametrize("verbose_count", ["", "-v", "-vv", "-vvv", "-vvvv"]) def test_verbosity(verbose_count): """ - Test if the verbosity option was used correctly + Test if the verbosity option was used correctly """ # given the user inputs the -v option to add verbosity level for the logger from -v to -vvvv with an subcommand # example cmd -vvvv and new diff --git a/tests/test_init.py b/tests/test_init.py new file mode 100644 index 00000000..c3f3d65f --- /dev/null +++ b/tests/test_init.py @@ -0,0 +1,445 @@ +# import configparser +import configparser +from unittest import mock + +# import script that needs to be tested +import reportdaily as rd +# required for fixture +import pathlib +import os +# required for date +from datetime import date +# import namespace +from argparse import Namespace +# monkey patching /mocker patch +import unittest +from unittest.mock import MagicMock, patch +import builtins +# required fo tests +import pytest + + +# Global data +STANDARD_SECTIONS = ["settings"] +STANDARD_OPTIONS = ["name", "team", "start_year", "current_day"] +STANDARD_CONFIG = { # Section_name: list of key names + "settings": tuple(STANDARD_OPTIONS), + # "test": ("test1", "test2"), + # ... +} +ARGS = Namespace(cliargs=["init"], name="NameTest", + team="TeamName", year="2020") + +ARGS_CHANGE_CMD = Namespace(cliargs=["init"], change=True, name="ChangeName", + team="ChangeTeamName", year="2020") + +ARGS_CHANGE = Namespace( + cliargs=["init"], name=None, team=None, year=None, change=True) + + +def test_config_exists(tmp_path: pathlib.Path): + """This test will tests if the config exists""" + # GIVEN + # ARGS + configpath = tmp_path / "reportdailyrc" + + # WHEN = expect a config file is created in tmp_path + rd.create_config(ARGS, configpath) + + # THEN config file existence is True + assert os.path.exists(configpath) is True + + +def test_config_section_option_namespace(tmp_path: pathlib.Path): + """This test will check the config file if the sections and options are correct""" + # GIVEN + # ARGS + # STANDARD_SECTIONS + # STANDARD_OPTIONS + configpath = tmp_path / "reportdailyrc" + + # WHEN + rd.create_config(ARGS, configpath) + config = configparser.ConfigParser() + config.read(configpath) + + # THEN + for section in STANDARD_SECTIONS: + assert config.has_section(section) + for key in STANDARD_OPTIONS: + assert config.has_option(section, key) + + +def test_config_values(tmp_path: pathlib): + """This test will prove the values of the config file""" + # GIVEN + # ARGS + # STANDARD_CONFIG + # convert date obj to string + date_today = date.today() + date_string = date_today.strftime("%Y-%m-%d") + + expected = ["NameTest", "TeamName", "2020", date_string] + configpath = tmp_path / "reportdailyrc" + + # WHEN + rd.create_config(ARGS, configpath) + config = configparser.ConfigParser() + config.read(configpath) + + # THEN + for section, options in STANDARD_CONFIG.items(): + count = 0 + for opt in options: + assert config.get(section, opt) == expected[count] + count = count+1 + + +def test_config_real_section(tmp_path: pathlib): + """This test will check if all the sections are correct""" + # GIVEN + + # ARGS = Namespace(cliargs=["init"], name="NameTest", team="TeamName", year="2020") + std_keys = set(STANDARD_CONFIG) + configpath = tmp_path / "reportdailyrc" + + # WHEN + # create config + rd.create_config(ARGS, configpath) + config = configparser.ConfigParser() + config.read(configpath) + real_keys = set(config.keys()) + # need to delete default key. DEFAULT is created automatically by the configparser module. + real_keys.remove("DEFAULT") + # THEN + assert real_keys == std_keys + + +def test_change_config_namespace(tmp_path: pathlib): + """This test will check if the change option works""" + # GIVEN + # ARGS: name="NameTest",team="TeamName", year=int(2020) + # ARGS_CHANGE_CMD: cliargs=["init -c"], name="ChangeName", team="ChangeTeamName", year=int(2020) + configpath = tmp_path / "reportdailyrc" + data_after_change_dict = {'name': 'ChangeName', 'team': 'ChangeTeamName', + 'start_year': '2020'} + + # WHEN + + # create config file and read it + rd.create_config(ARGS, configpath) + config = configparser.ConfigParser() + config.read(configpath) + with open(configpath, 'r') as configfile: + configs_before_change = configfile.read() + print(configs_before_change) + # save all values + configs_before_change_dict = dict(config.items("settings")) + # show the change namespace + print(ARGS_CHANGE_CMD) + # use change config with namespace + rd.namespace_config_change(ARGS_CHANGE_CMD, configpath) + # save the changed config + config.read(configpath) + with open(configpath, 'r') as configfile: + config_after_change = configfile.read() + # output of the changed content + print(config_after_change) + # save all values + configs_after_change_dict = dict(config.items("settings")) + + # THEN + # check if the file has changed + assert configs_before_change != config_after_change + # prove if the expected values are in our changed config + assert data_after_change_dict.items() <= configs_after_change_dict.items() + + +@pytest.mark.parametrize("user_category,user_change,user_key", + [("Name", "TestInputName", "name"), + ("Team", "TestInputTeam", "team"), + ("Year", "2019", "start_year"), + ]) +def test_change_by_input(tmp_path: pathlib.Path, user_category, user_change, user_key): + """This test will simulate user input and check the changes""" + + # GIVEN + + # ARGS = Namespace(cliargs=["init"], name="NameTest",team="TeamName", year="2020") + # user_category, user_change, user_key + configpath = tmp_path / "reportdailyrc" + + # WHEN + + # create a config file + rd.create_config(ARGS, configpath) + config = configparser.ConfigParser() + config.read(configpath) + # open config and save it for visability + with open(configpath, 'r') as configfile: + # save dict before changes + configs_before_change = dict(config.items("settings")) + print(configs_before_change) + + # patch your input + def mock_input(txt): + "This is our function that patches the builtin input function. " + if txt.lower().startswith("name"): + print(user_category) + return user_category + + elif txt.lower().startswith("enter"): + print(user_change) + return user_change + + with patch.object(builtins, 'input', mock_input): + rd.user_input_change(ARGS_CHANGE, configpath) + + # read changed value + config.read(configpath) + configs_after_change = dict(config.items("settings")) + print(configs_after_change.get(user_key)) + + # THEN + assert configs_after_change.get(user_key) == user_change + + +def test_wrong_input_change(tmp_path: pathlib): + + # GIVEN + user_wrong_input = "TEST" + user_right_input = "Name" + user_canged_value = "TESTNAME" + awaited_output = "No key in config found --> Try again" + + # path + configpath = tmp_path / "reportdailyrc" + # GIVEN Namespace for the change command + # ARGS_CHANGE = Namespace( + # cliargs=["init"], name=None, team=None, year=None, change=True) + # Use this Namespace so create a config for the test + # ARGS = Namespace(cliargs=["init"], name="NameTest", + # team="TeamName", year="2020") + # Grab stdout + run_once = 0 + # WHEN + # create a config file + rd.create_config(ARGS, configpath) + config = configparser.ConfigParser() + config.read(configpath) + # open config and save it for visibility + with open(configpath, 'r') as configfile: + configs_before_change = dict(config.items("settings")) + # save dict before changes + print(configs_before_change) + + # simultate input of user + + def mock_input(txt): + "This is our function that patches the builtin input function. " + nonlocal run_once + while 1: + if txt.lower().startswith("name") and run_once == 0: + print("wrong input") + run_once += 1 + return user_wrong_input + if txt.lower().startswith("name") and run_once == 1: + print("Right input") + run_once += 1 + return user_right_input + if txt.lower().startswith("enter") and run_once == 2: + run_once += 1 + return user_canged_value + break + # patch the input + with patch.object(builtins, 'input', mock_input): + # run config input function + rd.user_input_change(ARGS_CHANGE, configpath) + + # THEN + assert awaited_output in awaited_output + + +def test_create_config_user_input(tmp_path: pathlib): + + # GIVEN + name = "TESTNAME" + team = "TESTTEAM" + year = "2020" + ARGS_USER_INPUT = Namespace( + cliargs=["init"], name=None, team=None, year=None) + configpath = tmp_path / "reportdailyrc" + + # WHEN + # patch the input of user + def mock_input(txt): + "This is our function that patches the builtin input function. " + if txt.lower().startswith("enter your name"): + return name + if txt.lower().startswith("enter your team"): + return team + if txt.lower().startswith("in which"): + return year + + with patch.object(builtins, 'input', mock_input): + rd.create_config(ARGS_USER_INPUT, configpath) + + # open configs + config = configparser.ConfigParser() + config.read(configpath) + with open(configpath, 'r') as configfile: + configs_after_creation = dict(config.items("settings")) + + # THEN + assert configs_after_creation.get("name") == name + assert configs_after_creation.get("team") == team + assert configs_after_creation.get("start_year") == year + + +def test_show_config(tmp_path: pathlib, capsys): + """Test if awaited part of the output is in sdtout""" + + # GIVEN + # ARGS = Namespace(cliargs=["init"], name="NameTest",team="TeamName", year="2020") + configpath = tmp_path / "reportdailyrc" + awaited_part_of_output = "Your current configuration at the moment" + + # WHEN + # create a config file + rd.create_config(ARGS, configpath) + config = configparser.ConfigParser() + # show the config + rd.show_config(configpath) + # capture input with pystest (capsys) + captured = capsys.readouterr() + print(captured) + + # THEN check the captured output if awaited part is in output + assert awaited_part_of_output in captured.out + + +@patch("reportdaily.user_input_change") +@patch("reportdaily.show_config") +def test_how_to_change_configs_input(mocker_show_config, mocker_user_input_change, tmp_path: pathlib): + """This test will check if the right function (user_input_change) was selected by a given ARGS Namespace object""" + # GIVEN + # ARGS_CHANGE = Namespace(cliargs=["init"], name=None, team=None, year=None, change=True) + configpath = tmp_path / "reportdailyrc" + expected_value = 0 + + # patch the user_input_change function from reportdaily + mocker_show_config.return_value = MagicMock(return_value=True) + mocker_user_input_change.return_value = MagicMock(return_value=True) + # save return value of function + return_value = rd.how_to_change_config(ARGS_CHANGE, configpath) + print(return_value) + + # THEN + # check return value ,to prove that the right function was used + assert return_value == expected_value + + +@patch("reportdaily.namespace_config_change") +@patch("reportdaily.show_config") +def test_how_to_change_configs_namespace(mocker_show_config, mocker_create_config, tmp_path: pathlib): + """This test will check if the right function (namespace_config_change) was selected by a given ARGS Namespace object""" + # GIVEN + # ARGS = Namespace(cliargs=["init"], name="NameTest", + # team="TeamName", year="2020") + configpath = tmp_path / "reportdailyrc" + expected_value = 1 + + # WHEN + # patch the user_input_change function from reportdaily + mocker_create_config.return_value = MagicMock(return_value=True) + mocker_show_config.return_value = MagicMock(return_value=True) + # save return value of function + return_value = rd.how_to_change_config(ARGS, configpath) + print(return_value) + + # THEN + # check return value ,to prove that the right function was used + assert return_value == expected_value + + +@patch("reportdaily.create_config") +@patch("reportdaily.show_config") +def test_cmd_init_without_configpath(mocker_show_config, mocker_create_config, tmp_path: pathlib): + """This test will check the propper use of cmd_init""" + + # GIVEN + # ARGS = Namespace(cliargs=["init"], name="NameTest", + # team="TeamName", year="2020") + configpath = tmp_path / "reportdailyrc" + expected_return_value = 0 + + # WHEN + mocker_create_config.return_value = MagicMock(return_value=True) + mocker_show_config.return_value = MagicMock(return_value=True) + return_value = rd.cmd_init(ARGS, configpath) + + # THEN + assert expected_return_value == return_value + + +@patch("reportdaily.os.path.exists") +@patch("reportdaily.show_config") +@patch("reportdaily.how_to_change_config") +def test_cmd_init_with_configpath(mocker_how_to_change_config, mocker_show_config, mocker_os_path_exists, tmp_path: pathlib): + """This test will check the propper use of cmd_init if config already exists and the user wants to change it""" + + # GIVEN + # ARGS_CHANGE = Namespace( + # cliargs=["init"], name=None, + # team=None, year=None, + # change=True) + configpath = tmp_path / "reportdailyrc" + expected_return_value = 1 + + # WHEN + mocker_os_path_exists.return_value = MagicMock(return_value=True) + mocker_show_config.return_value = MagicMock(return_value=True) + mocker_how_to_change_config.return_value = MagicMock(return_value=True) + # execute command and gather the return value + return_value = rd.cmd_init(ARGS_CHANGE, configpath) + + # THEN + assert expected_return_value == return_value + + +def test_check_is_int_is_True(): + """ + Test if the function proves if the given values are int or not + """ + + # GIVEN + given_str_is_also_int = "2009" + given_default_input_return_value = False + expexted_return_value = True + given_return_value = None + + # WHEN + given_return_value = rd.check_is_int( + given_str_is_also_int, given_default_input_return_value) + + # THEN + assert expexted_return_value == given_return_value + + +def test_check_is_int_is_False(): + """ + Test if the function proves if the given values are int or not + """ + + # GIVEN + given_str_is_also_int = "TEST2019" + given_default_input_return_value = False + expexted_return_value = False + given_return_value = None + + # WHEN + given_return_value = rd.check_is_int( + given_str_is_also_int, given_default_input_return_value) + + # THEN + assert expexted_return_value == given_return_value