用split函数把字符串分割形成单词列表
时间: 2023-07-06 10:12:02 浏览: 132
好的,可以使用Python中的`split()`函数将字符串按照指定分隔符进行分割,得到单词列表。示例代码如下:
```python
text = "Hello world, how are you doing today?"
words = text.split(" ")
print(words)
```
输出结果为:
```
['Hello', 'world,', 'how', 'are', 'you', 'doing', 'today?']
```
在上述示例中,我们将字符串按照空格进行分割,得到了一个包含所有单词的列表。你可以根据需要更改分隔符,比如使用逗号或句号进行分割。
相关问题
本题实现,输入一个包含空格的多单词字符串,单词与单词之间用1个或多个空格分隔。请将字符串中用空格分隔的单词排序后在屏幕上输出来。 要求用指针完成函数中各参数的传递与访问,自定义函数头和函数体中不得出现数组下标形式的表示法。 函数接口定义: int split_sort(char *str,char **pStr); 函数对字符串中的单词进行分割,并按字典顺序输出排序后的单词,函数返回字符串中单词的数目。str用于接收实参字符串,pStr用于存放分割后的各单词对应字符串的首地址。下面函数的定义部分框架与花括号部分已经给出了,只需给出函数{...}之中的部分。 用c语言写个函数实现‘
int split_sort(char *str, char **pStr) {
int count = 0;
char *temp = str;
while (*temp != '\0') {
// 跳过单词前的空格
while (*temp == ' ') {
temp++;
}
// 如果已经到达字符串末尾,退出循环
if (*temp == '\0') {
break;
}
// 记录单词的起始地址
pStr[count] = temp;
count++;
// 查找单词结尾位置
while (*temp != ' ' && *temp != '\0') {
temp++;
}
// 将单词结尾位置的空格替换为字符串结束符
if (*temp == ' ') {
*temp = '\0';
temp++;
}
}
// 对单词进行排序
for (int i = 0; i < count - 1; i++) {
for (int j = i + 1; j < count; j++) {
if (strcmp(pStr[i], pStr[j]) > 0) {
char *temp = pStr[i];
pStr[i] = pStr[j];
pStr[j] = temp;
}
}
}
// 输出排序后的单词
for (int i = 0; i < count; i++) {
printf("%s ", pStr[i]);
}
printf("\n");
return count;
}
利用re.split函数进行字符串拆分。 (1)现给你一个字符串’aaa bbb ccc;ddd eee;fff',你需要用re.split函数以分号或空格为分割符将该字符串进行分割,并打印输出列表形式结果。(2)将一句英语文本中的单词进行倒置,标点符号不倒置,假设单词之间使用一个或多个空格进行分割。比如“l like beijing.”经过操作后变为“beijing. like I”。
(1)代码如下:
```python
import re
s = 'aaa bbb ccc;ddd eee;fff'
lst = re.split(';|\s', s)
print(lst)
```
输出结果为:
```
['aaa', 'bbb', 'ccc', 'ddd', 'eee', 'fff']
```
(2)代码如下:
```python
import re
s = "I like Beijing. It's a beautiful city."
lst = re.findall(r"[\w']+|[^\w\s]+", s)
lst.reverse()
result = ' '.join(lst)
print(result)
```
输出结果为:
```
city. beautiful a It's Beijing. like I
```
阅读全文