正直なところ、データを変換するだけではるかに高速になると思います。x[x>180] -= 360
はかなり速いです。データセットのサイズが数 GB でない限り、データの変換にかかる時間はわずか数ミリ秒です。
したがって、簡単な方法は次のとおりです(データを変換します):
import matplotlib.pyplot as plt
import numpy as np
# Generate data to match yours...
y = 60 * np.random.random(300) - 20
x = 60 * (np.random.random(300) - 0.5)
x[x < 0] += 360
# Transform the data back to a -180 to 180 range...
x[x > 180] -= 360
# Plot the data
fig, ax = plt.subplots()
ax.plot(x, y, 'b.')
# Set the ticks so that negative ticks represent >180 numbers
ticks = ax.get_xticks()
ticks[ticks < 0] += 360
ax.set_xticklabels([int(tick) for tick in ticks])
plt.show()

ただし、データの変換を避けたい場合は、次のようなことができます...ただし、これは、データを変換するよりも遅くなることが100%保証されています。(おそらく無視できるほど遅くなりますが、速くなるわけではありません。)
import matplotlib.pyplot as plt
import numpy as np
# Generate data to match yours...
y = 60 * np.random.random(300) - 20
x = 60 * (np.random.random(300) - 0.5)
x[x < 0] += 360
fig, (ax1, ax2) = plt.subplots(ncols=2, sharey=True)
fig.subplots_adjust(wspace=0)
ax1.spines['right'].set_visible(False)
ax2.spines['left'].set_visible(False)
ax1.tick_params(right=False)
ax2.tick_params(left=False)
for label in ax2.get_yticklabels():
label.set_visible(False)
ax1.plot(x[x > 180], y[x > 180], 'b.')
ax2.plot(x[x <= 180], y[x <= 180], 'b.')
ax2.set_xticks(ax2.get_xticks()[1:])
plt.show()
