I have a data which contains 16 columns, from which 1 column is “Time” column and other 15 columns are columns that represent colors. Data looks like this:
What I need is to have a plot in which at every timestamp represent these 15 colors.
The output should look like this:
Any idea how to do this?
Thanks!!
Advertisement
Answer
Instead of using bar
, it’s usually more convenient in these cases to use the normal plot
in segments. Here is a toy example.
JavaScript
x
9
1
import matplotlib.pyplot as plt
2
import pandas as pd
3
4
df = pd.DataFrame({'Time':[0.3, 1.5, 1.8, 4.7, 5.8],
5
'SG1':['red', 'green', 'grey', 'yellow', 'red'],
6
'SG2':['grey', 'red', 'grey', 'yellow', 'grey'],
7
'SG3':['red', 'red', 'grey', 'yellow', 'red'],
8
'SG4':['red', 'green', 'grey', 'green', 'red']})
9
JavaScript
1
7
1
Time SG1 SG2 SG3 SG4
2
0 1 red grey red red
3
1 2 green grey red green
4
2 3 grey grey grey green
5
3 4 yellow yellow yellow green
6
4 5 red grey red red
7
The code:
JavaScript
1
20
20
1
LINE_THICKNESS = 10
2
FIG_SIZE = (4, 3) # Size (width, height).
3
4
f, ax = plt.subplots(figsize=FIG_SIZE)
5
6
groups = sorted([c for c in df.columns if 'SG' in c])
7
for i, group in enumerate(groups):
8
colors = df[group]
9
10
for (color, t0), t1 in zip(zip(colors, df['Time']), df['Time'][1:]):
11
ax.plot([t0, t1], [i, i], color=color, linewidth=LINE_THICKNESS)
12
13
plt.xlabel('Time')
14
plt.ylim([-0.5, len(groups)-0.5])
15
plt.yticks(range(len(groups)), groups)
16
plt.ylabel('Groups')
17
plt.title("Signal plan 2", weight='bold')
18
plt.tight_layout()
19
plt.show()
20
Which gives:
You can play with LINE_THICKNESS
and FIG_SIZE
for the dimensions.
EDIT:
The zip
built-in function takes iterables and aggregates them in a tuple. So:
zip(colors, df['Time'])
gets the (color, time_start) tuple, to associate the timepoints with the color. Let’s call thistime_colors
in the next line.zip(time_colors, df['Time'][1:])
similarly associates the (color, time_start) tuples with the next timepoint. This is needed to know the limit to stop drawing the line.