-
Notifications
You must be signed in to change notification settings - Fork 299
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
[Autotuner] Plotting utility + test #2394
Open
luarss
wants to merge
15
commits into
The-OpenROAD-Project:master
Choose a base branch
from
luarss:at_plot_util
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.
Open
Changes from all commits
Commits
Show all changes
15 commits
Select commit
Hold shift + click to select a range
59af71c
update plotting util and readme
luarss c4b7831
make arg required and update docs
luarss 989f88c
Update docs/user/InstructionsForAutoTuner.md
vvbandeira a7eeaaf
add one call to test plot.py
luarss 9eb4e16
add test_autotuner call, matplotlib reqs
luarss 6c550c3
temporarily disable unstable tests
luarss e98a5b3
print all files at the end of load_dir
luarss c476a5d
refactors:
luarss e320d88
fix lowercase platform
luarss f3b90e6
fix syntax for string join
luarss d2ee915
fix LOWERCASE_PLATFORM
luarss 9175606
Change qor key to metric
luarss 869e575
PLATFORM now strictly lowercase in scripts
luarss ad154f5
change plot.py sys exits
luarss 9a6566c
Fix genReport
luarss 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
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
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
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 |
---|---|---|
|
@@ -9,3 +9,4 @@ tensorboard>=2.14.0,<=2.16.2 | |
protobuf==3.20.3 | ||
SQLAlchemy==1.4.17 | ||
urllib3<=1.26.15 | ||
matplotlib==3.10.0 |
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 |
---|---|---|
@@ -0,0 +1,195 @@ | ||
import glob | ||
import json | ||
import numpy as np | ||
import pandas as pd | ||
import matplotlib.pyplot as plt | ||
import re | ||
import os | ||
import argparse | ||
import sys | ||
|
||
# Only does plotting for AutoTunerBase variants | ||
AT_REGEX = r"variant-AutoTunerBase-([\w-]+)-\w+" | ||
|
||
# TODO: Make sure the distributed.py METRIC variable is consistent with this, single source of truth. | ||
METRIC = "metric" | ||
|
||
cur_dir = os.path.dirname(os.path.abspath(__file__)) | ||
root_dir = os.path.join(cur_dir, "../../../../../") | ||
os.chdir(root_dir) | ||
|
||
|
||
def load_dir(dir: str) -> pd.DataFrame: | ||
""" | ||
Load and merge progress, parameters, and metrics data from a specified directory. | ||
This function searches for `progress.csv`, `params.json`, and `metrics.json` files within the given directory, | ||
concatenates the data, and merges them into a single pandas DataFrame. | ||
Args: | ||
dir (str): The directory path containing the subdirectories with `progress.csv`, `params.json`, and `metrics.json` files. | ||
Returns: | ||
pd.DataFrame: A DataFrame containing the merged data from the progress, parameters, and metrics files. | ||
""" | ||
|
||
# Concatenate progress DFs | ||
progress_csvs = glob.glob(f"{dir}/*/progress.csv") | ||
if len(progress_csvs) == 0: | ||
print("No progress.csv files found.") | ||
sys.exit(1) | ||
progress_df = pd.concat([pd.read_csv(f) for f in progress_csvs]) | ||
|
||
# Concatenate params.json & metrics.json file | ||
params = [] | ||
failed = [] | ||
for params_fname in glob.glob(f"{dir}/*/params.json"): | ||
metrics_fname = params_fname.replace("params.json", "metrics.json") | ||
try: | ||
with open(params_fname, "r") as f: | ||
_dict = json.load(f) | ||
_dict["trial_id"] = re.search(AT_REGEX, params_fname).group(1) | ||
with open(metrics_fname, "r") as f: | ||
metrics = json.load(f) | ||
ws = metrics["finish"]["timing__setup__ws"] | ||
metrics["worst_slack"] = ws | ||
_dict.update(metrics) | ||
params.append(_dict) | ||
except Exception as e: | ||
failed.append(metrics_fname) | ||
continue | ||
|
||
# Merge all dataframe | ||
params_df = pd.DataFrame(params) | ||
try: | ||
progress_df = progress_df.merge(params_df, on="trial_id") | ||
except KeyError: | ||
print( | ||
"Unable to merge DFs due to missing trial_id in params.json (possibly due to failed trials.)" | ||
) | ||
sys.exit(1) | ||
|
||
# Print failed, if any | ||
if failed: | ||
failed_files = "\n".join(failed) | ||
print(f"Failed to load {len(failed)} files:\n{failed_files}") | ||
return progress_df | ||
|
||
|
||
def preprocess(df: pd.DataFrame) -> pd.DataFrame: | ||
""" | ||
Preprocess the input DataFrame by renaming columns, removing unnecessary columns, | ||
filtering out invalid rows, and normalizing the timestamp. | ||
Args: | ||
df (pd.DataFrame): The input DataFrame to preprocess. | ||
Returns: | ||
pd.DataFrame: The preprocessed DataFrame with renamed columns, removed columns, | ||
filtered rows, and normalized timestamp. | ||
""" | ||
|
||
cols_to_remove = [ | ||
"done", | ||
"training_iteration", | ||
"date", | ||
"pid", | ||
"hostname", | ||
"node_ip", | ||
"time_since_restore", | ||
"time_total_s", | ||
"iterations_since_restore", | ||
] | ||
rename_dict = { | ||
"time_this_iter_s": "runtime", | ||
"_SDC_CLK_PERIOD": "clk_period", # param | ||
} | ||
try: | ||
df = df.rename(columns=rename_dict) | ||
df = df.drop(columns=cols_to_remove) | ||
df = df[df[METRIC] != 9e99] | ||
df["timestamp"] -= df["timestamp"].min() | ||
return df | ||
except KeyError as e: | ||
print( | ||
f"KeyError: {e} in the DataFrame. Dataframe does not contain necessary columns." | ||
) | ||
sys.exit(1) | ||
|
||
|
||
def plot(df: pd.DataFrame, key: str, dir: str): | ||
""" | ||
Plots a scatter plot with a linear fit and a box plot for a specified key from a DataFrame. | ||
Args: | ||
df (pd.DataFrame): The DataFrame containing the data to plot. | ||
key (str): The column name in the DataFrame to plot. | ||
dir (str): The directory where the plots will be saved. The directory must exist. | ||
Returns: | ||
None | ||
""" | ||
|
||
assert os.path.exists(dir), f"Directory {dir} does not exist." | ||
# Plot box plot and time series plot for key | ||
fig, ax = plt.subplots(1, figsize=(15, 10)) | ||
ax.scatter(df["timestamp"], df[key]) | ||
ax.set_xlabel("Time (s)") | ||
ax.set_ylabel(key) | ||
ax.set_title(f"{key} vs Time") | ||
|
||
try: | ||
coeff = np.polyfit(df["timestamp"], df[key], 1) | ||
poly_func = np.poly1d(coeff) | ||
ax.plot( | ||
df["timestamp"], | ||
poly_func(df["timestamp"]), | ||
"r--", | ||
label=f"y={coeff[0]:.2f}x+{coeff[1]:.2f}", | ||
) | ||
ax.legend() | ||
except np.linalg.LinAlgError: | ||
print("Cannot fit a line to the data, plotting only scatter plot.") | ||
|
||
fig.savefig(f"{dir}/{key}.png") | ||
|
||
plt.figure(figsize=(15, 10)) | ||
plt.boxplot(df[key]) | ||
plt.ylabel(key) | ||
plt.title(f"{key} Boxplot") | ||
plt.savefig(f"{dir}/{key}-boxplot.png") | ||
|
||
|
||
def main(platform: str, design: str, experiment: str): | ||
""" | ||
Main function to process results from a specified directory and plot the results. | ||
Args: | ||
platform (str): The platform name. | ||
design (str): The design name. | ||
experiment (str): The experiment name. | ||
Returns: | ||
None | ||
""" | ||
|
||
results_dir = os.path.join( | ||
root_dir, f"./flow/logs/{platform}/{design}/{experiment}" | ||
) | ||
img_dir = os.path.join( | ||
root_dir, f"./flow/reports/images/{platform}/{design}/{experiment}" | ||
) | ||
print("Processing results from", results_dir) | ||
os.makedirs(img_dir, exist_ok=True) | ||
df = load_dir(results_dir) | ||
df = preprocess(df) | ||
keys = [METRIC] + ["runtime", "clk_period", "worst_slack"] | ||
|
||
# Plot only if more than one entry | ||
if len(df) < 2: | ||
print("Less than 2 entries, skipping plotting.") | ||
sys.exit(0) | ||
for key in keys: | ||
plot(df, key, img_dir) | ||
|
||
|
||
if __name__ == "__main__": | ||
parser = argparse.ArgumentParser(description="Plot AutoTuner results.") | ||
parser.add_argument("--platform", type=str, help="Platform name.", required=True) | ||
parser.add_argument("--design", type=str, help="Design name.", required=True) | ||
parser.add_argument( | ||
"--experiment", type=str, help="Experiment name.", required=True | ||
) | ||
args = parser.parse_args() | ||
main(platform=args.platform, design=args.design, experiment=args.experiment) |
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
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
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
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
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
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.
At the beginning of this script, you are casting these values to be uppercase, which does not match the path since Linux is case-sensitive. From the CI:
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.
If we call the plot script and do not find data to plot, this should be an error, right?
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.
Yup, these are 2 separate errors, will fix them.