随机函数 (1)随机选取1到100的奇数。 (2)从字符串’abcdefghij’中随机选取4个字符。 ( 3 )随机生成100内的10个整数。 (4)随机选取列表[‘apple’,’pear’,’peach’,’orange’]中的一个字符串。 使用python
时间: 2024-10-19 20:15:29 浏览: 31
字符串处理函数.xlsx
在Python中,我们可以使用random模块来实现这些随机操作。以下是每个需求的代码示例:
1. **随机选取1到100的奇数**:
```python
import random
odd_number = random.randint(1, 100) if odd_number % 2 != 0 else random.randint(1, 99)
```
这里我们检查了随机生成的数是否为奇数,如果不是则再次生成。
2. **从字符串'abcdefghij'中随机选取4个字符**:
```python
import random
random_chars = ''.join(random.sample('abcdefghij', 4))
```
`random.sample`函数用于无重复地选择指定长度的元素。
3. **随机生成100内的10个整数**:
```python
import random
random_numbers = [random.randint(1, 100) for _ in range(10)]
```
使用列表推导式生成包含10个随机数的列表。
4. **随机选取列表['apple', 'pear', 'peach', 'orange']中的一个字符串**:
```python
random_string = random.choice(['apple', 'pear', 'peach', 'orange'])
```
`random.choice`是从列表中随机选择一个元素。
阅读全文