-
Notifications
You must be signed in to change notification settings - Fork 74
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Refactoring log format by removing metadata addition in log statements. #4220
Open
AmarnatReddy
wants to merge
1
commit into
red-hat-storage:master
Choose a base branch
from
AmarnatReddy:log_rewap
base: master
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
+143
−223
Open
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -1,96 +1,120 @@ | ||
""" | ||
The purpose of this test module is to run the test in a suite parallely | ||
Syntax: | ||
- tests: | ||
-test: | ||
name: Parallel run | ||
module: test_parallel.py | ||
parallel: | ||
- test: | ||
... | ||
- test: | ||
... | ||
desc: Running tests parallely | ||
Requirement parameters | ||
ceph_nodes: The list of node participating in the RHCS environment. | ||
config: The test configuration | ||
parallel: Consist of test which needs to be executed parallely | ||
Entry Point: | ||
def run(**kwargs): | ||
""" | ||
|
||
import importlib | ||
import logging | ||
import os | ||
from multiprocessing import Manager | ||
from time import sleep | ||
|
||
from ceph.parallel import parallel | ||
from utility.log import Log | ||
from utility.utils import magna_url | ||
|
||
log = Log(__name__) | ||
LOG_FORMAT = "%(asctime)s (%(name)s) - %(module)s:%(lineno)d - %(funcName)s - [%(levelname)s] - %(message)s" | ||
|
||
|
||
def run(**kwargs): | ||
results = {} | ||
parallel_tests = kwargs["parallel"] | ||
|
||
with parallel() as p: | ||
for test in parallel_tests: | ||
p.spawn(execute, test, kwargs, results) | ||
sleep(1) | ||
|
||
test_rc = 0 | ||
for key, value in results.items(): | ||
log.info(f"{key} test result is {'PASS' if value == 0 else 'FAILED'}") | ||
if value != 0: | ||
test_rc = value | ||
|
||
return test_rc | ||
|
||
|
||
def execute(test, args, results: dict): | ||
# Use a Manager dictionary for shared state across processes | ||
with Manager() as manager: | ||
results = manager.dict() | ||
parallel_tests = kwargs["parallel"] | ||
max_time = kwargs.get("config", {}).get("max_time", None) | ||
wait_till_complete = kwargs.get("config", {}).get("wait_till_complete", True) | ||
cancel_pending = kwargs.get("config", {}).get("cancel_pending", False) | ||
|
||
with parallel( | ||
thread_pool=False, | ||
timeout=max_time, | ||
shutdown_wait=wait_till_complete, | ||
shutdown_cancel_pending=cancel_pending, | ||
) as p: | ||
for test in parallel_tests: | ||
p.spawn(execute, test, kwargs, results) | ||
sleep(1) | ||
|
||
# Convert results to a regular dictionary to inspect | ||
results = dict(results) | ||
log.info(f"Final test results: {results}") | ||
|
||
test_rc = 0 | ||
for key, value in results.items(): | ||
log.info(f"{key} test result is {'PASS' if value == 0 else 'FAILED'}") | ||
if value != 0: | ||
test_rc = value | ||
|
||
return test_rc | ||
|
||
|
||
def execute(test, args, results): | ||
""" | ||
Executes the test under parallel in module named 'Parallel run' parallely. | ||
It involves the following steps | ||
- Importing of test module based on test | ||
- Running the test module | ||
Executes the test under parallel in module named 'Parallel run' parallely. | ||
Args: | ||
test: The test module which needs to be executed | ||
cluster: Ceph cluster participating in the test. | ||
config: The key/value pairs passed by the tester. | ||
results: results in dictionary | ||
Returns: | ||
int: non-zero on failure, zero on pass | ||
args: Arguments passed to the test | ||
results: Shared dictionary to store test results | ||
""" | ||
|
||
test = test.get("test") | ||
if "clusters" in test: | ||
log.info("Its a multisite setup") | ||
cluster = test["clusters"].get( | ||
"ceph-rgw1", test["clusters"][list(test["clusters"].keys())[0]] | ||
) | ||
config = cluster["config"] | ||
else: | ||
config = test.get("config", dict()) | ||
config.update(args["config"]) | ||
file_name = test.get("module") | ||
mod_file_name = os.path.splitext(file_name)[0] | ||
test_mod = importlib.import_module(mod_file_name) | ||
testcase_name = test.get("name", "Test Case Unknown") | ||
|
||
rc = test_mod.run( | ||
ceph_cluster=args["ceph_cluster"], | ||
ceph_nodes=args["ceph_nodes"], | ||
config=config, | ||
test_data=args["test_data"], | ||
ceph_cluster_dict=args["ceph_cluster_dict"], | ||
clients=args["clients"], | ||
test_name = test.get("name", "unknown_test") | ||
module_name = os.path.splitext(test.get("module"))[0] | ||
run_dir = args["run_config"]["log_dir"] | ||
url_base = ( | ||
magna_url + run_dir.split("/")[-1] | ||
if "/ceph/cephci-jenkins" in run_dir | ||
else run_dir | ||
) | ||
log_url = f"{url_base}/{test_name}.log" | ||
log_file = os.path.join(run_dir, f"{test_name}.log") | ||
log.info(f"Log File location for test {test_name} is {log_url}") | ||
# Configure logger for this test | ||
test_logger = Log(module_name) | ||
for handler in logging.getLogger().handlers[:]: | ||
logging.getLogger().removeHandler(handler) | ||
logging.basicConfig( | ||
handlers=[logging.FileHandler(log_file)], level=logging.INFO, format=LOG_FORMAT | ||
) | ||
console_handler = logging.StreamHandler() | ||
console_handler.setLevel(logging.INFO) | ||
console_handler.setFormatter(logging.Formatter(test_logger.log_format)) | ||
if not any( | ||
isinstance(h, logging.StreamHandler) for h in test_logger.logger.handlers | ||
): | ||
test_logger.logger.addHandler(console_handler) | ||
|
||
test_logger.info(f"Starting test: {test_name}") | ||
try: | ||
# Import and execute the test module | ||
file_name = test.get("module") | ||
mod_file_name = os.path.splitext(file_name)[0] | ||
test_mod = importlib.import_module(mod_file_name) | ||
run_config = { | ||
"log_dir": run_dir, | ||
"run_id": args["run_config"]["run_id"], | ||
} | ||
rc = test_mod.run( | ||
ceph_cluster=args.get("ceph_cluster"), | ||
ceph_nodes=args.get("ceph_nodes"), | ||
config=args.get("config"), | ||
parallel=args.get("parallel"), | ||
test_data=args.get("test_data"), | ||
ceph_cluster_dict=args.get("ceph_cluster_dict"), | ||
clients=args.get("clients"), | ||
run_config=run_config, | ||
) | ||
|
||
file_string = f"{testcase_name}" | ||
results.update({file_string: rc}) | ||
results[test_name] = rc | ||
test_logger.info( | ||
f"Test {test_name} completed with result: {'PASS' if rc == 0 else 'FAILED'}" | ||
) | ||
except KeyError as e: | ||
log.error(f"Missing required argument: {e}") | ||
raise | ||
except Exception as e: | ||
log.error(f"An error occurred while running the test module: {e}") | ||
raise | ||
except Exception as e: | ||
test_logger.error(f"Test {test_name} failed with error: {e}") | ||
results[test_name] = 1 | ||
finally: | ||
# Reset root logger configuration to avoid conflicts | ||
for handler in logging.getLogger().handlers[:]: | ||
logging.getLogger().removeHandler(handler) |
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
By default logging to console is enabled. Do we need this?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
HI Satya
With out this parallel logs of the suites were not logging to console