jupyter散点图代码
时间: 2024-06-27 17:01:30 浏览: 181
在Jupyter Notebook中创建散点图(scatter plot)通常使用的是Python的数据可视化库,如matplotlib或seaborn。以下是一个使用matplotlib创建简单散点图的基本代码示例:
```python
import matplotlib.pyplot as plt
# 假设你有两个变量x和y,它们是你想要在图表上表示的数据
x = [数据点1, 数据点2, ..., 数据点n]
y = [对应点1, 对应点2, ..., 对应点n]
# 创建一个新的图形
plt.figure()
# 使用scatter()函数创建散点图
plt.scatter(x, y)
# 可以添加标题和标签
plt.title("Scatter Plot Example")
plt.xlabel("X-axis Label")
plt.ylabel("Y-axis Label")
# 显示图形
plt.show()
```
如果你的数据存储在pandas DataFrame中,代码会更简洁:
```python
import pandas as pd
import matplotlib.pyplot as plt
# 假设df是你的DataFrame,且有两列'data_x'和'data_y'
df = pd.DataFrame({'data_x': x_values, 'data_y': y_values})
plt.figure()
plt.scatter(df['data_x'], df['data_y'])
plt.title("Scatter Plot from DataFrame")
plt.xlabel("X-axis")
plt.ylabel("Y-axis")
plt.show()
```
阅读全文