I need to create a scatter plot using data for Old Faithful that includes waiting time between eruptions and the duration of the eruption. It's a data frame with 10 observations on 2 variables.

eruptions numeric: eruption time in mins

waiting numeric: waiting time to next eruption

Sample data: (for 1st 3 rows)

eruptions waiting
3.600 79
1.800 54
3.333 74

Questions:
1. When I create the graph, will eruptions be on the X-axis and the waiting be on the Y-axis?

2. No units mentioned for waiting time. Do I assume it's also minutes?

To create a scatter plot using the provided data for Old Faithful, you can use a data visualization library such as Matplotlib in Python. Here's how you can proceed:

1. Import the necessary libraries:
```python
import matplotlib.pyplot as plt
import pandas as pd
```

2. Create a DataFrame from the given data:
```python
data = {'eruptions': [3.600, 1.800, 3.333],
'waiting': [79, 54, 74]}
df = pd.DataFrame(data)
```

3. Plot the scatter plot:
```python
plt.scatter(df['eruptions'], df['waiting'])
plt.xlabel('Eruption Time (minutes)') # X-axis label
plt.ylabel('Waiting Time (minutes)') # Y-axis label
plt.title('Old Faithful Eruptions') # Plot title
plt.show()
```

Now let's address your questions:

1. Yes, when you create the scatter plot, the "eruptions" variable should be plotted on the X-axis, and the "waiting" variable should be plotted on the Y-axis. This convention is commonly used to represent the relationship between two numerical variables.

2. In the absence of any mention of units, it is safe to assume that the waiting time is also in minutes. However, it's always a good practice to verify the units of the given data whenever possible or seek additional information if it's not explicitly mentioned.