Changing marker style in scatter plot according to third variable
The problem is that marker
can only be a single value and not a list of markers, as the color
parmeter.
You can either do a grouping by marker value so you have the x and y lists that have the same marker and plot them:
xs = [[1, 2, 3], [4, 5, 6]]
ys = [[1, 2, 3], [4, 5, 6]]
m = ['o', 'x']
for i in range(len(xs)):
plt.scatter(xs[i], ys[i], marker=m[i])
plt.show()
Or you can plot every single dot (which I would not recommend):
x=[1,2,3,4,5,6]
y=[1,3,4,5,6,7]
m=['k','l','l','k','j','l']
mapping = {'j' : 'o', 'k': 'x', 'l': '+'}
for i in range(len(x)):
plt.scatter(x[i], y[i], marker=mapping[m[i]])
plt.show()
Adding to the answer of Viktor Kerkez and using a bit of Numpy you can do something like the following:
x = np.array([1,2,3,4,5,6])
y = np.array([1,3,4,5,6,7])
m = np.array(['o','+','+','o','x','+'])
unique_markers = set(m) # or yo can use: np.unique(m)
for um in unique_markers:
mask = m == um
# mask is now an array of booleans that can be used for indexing
plt.scatter(x[mask], y[mask], marker=um)