How would you create a shopping list in Python? apples, juice, milk, water, soda, oranges

To create a shopping list in Python, you can use a list data structure to store the items. Here's an example:

```python
shopping_list = ['apples', 'juice', 'milk', 'water', 'soda', 'oranges']
```

Now, the `shopping_list` variable will hold the items 'apples', 'juice', 'milk', 'water', 'soda', and 'oranges'. You can perform various operations on this list, such as accessing individual items, adding new items, removing items, etc.

Here are a few examples of common operations you can perform on a list:

- Accessing items:
```python
print(shopping_list[0]) # Output: 'apples'
print(shopping_list[2]) # Output: 'milk'
```

- Adding an item at the end:
```python
shopping_list.append('bread')
print(shopping_list) # Output: ['apples', 'juice', 'milk', 'water', 'soda', 'oranges', 'bread']
```

- Removing an item:
```python
shopping_list.remove('juice')
print(shopping_list) # Output: ['apples', 'milk', 'water', 'soda', 'oranges', 'bread']
```

These examples should give you a good starting point for working with a shopping list in Python.