words = ['tree', 'water', 'dog', 'soap', 'bike', 'cat', 'bird']
我想得到(在Python中)我通过键盘或代码输入的两个单词之间的子列表。例如,如果我把“水”和“自行车”这两个词放在我想要的子列表中:
words = ['water', 'dog', 'soap', 'bike']
或如果列表是
words = ['tree', 'water', 'dog', 'soap', 'tree', 'cat', 'bird']
我把'tree'和'tree'这个词想要得到这个子列表:
words = ['tree', 'water', 'dog', 'soap', 'tree']
我还在C中编写了这样的程序,但目前我对Python不太了解。 这是我的C版。
我希望你能帮助我,谢谢!
struct node {
char *key;
struct node *next;
struct node *prev;
};
typedef struct node node;
node *GetSublist(node *, char *, char *);
node *MakeStringList();
void PrintStringList(node *a);
node *GetSublist(node *a, char *k1, char *k2) {
node *p = a;
node *n1, *n2;
while (strcmp(p->key, k1) != 0) {
p = p->next;
if (p == NULL) {
return a;
}
}
n1 = p;
n2 = p->next;
if (n1->prev != NULL) {
while (a != n1) {
free(a);
a = a->next;
}
}
a->prev = NULL;
while (strcmp(n2->key, k2) != 0) {
n2 = n2->next;
if (n2 == NULL) {
return a;
}
}
if (n2->next != NULL) {
while (n2->next == NULL) {
free(n2->next);
n2 = n2->next;
}
n2->next = NULL;
}
return a;
}
int main(){
char *k1 = "dog";
char *k2 = "ball";
node *list1 = NULL;
list1 = MakeStringList();
PrintStringList(list1);
list1 = GetSublist(list1, k1, k2);
PrintStringList(list1);
return 0;
}
node *MakeStringList() {
node *a = NULL, *punt, *p;
int i;
int dim;
printf("Number of elements: ");
scanf("%d", &dim);
for (i=0; i<dim; i=i+1) {
punt = malloc( sizeof(node) );
punt->key = (char*)malloc(30*sizeof(char));
scanf( "%s", punt->key );
punt->next = NULL;
punt->prev = NULL;
if(a == NULL) {
a = punt;
p = punt;
} else {
p->next = punt;
punt->prev = p;
p = punt;
}
}
return a;
}
void PrintStringList(node *a) {
node *p = a;
printf("\nThe list is: { ");
while( p != NULL ) {
if (p->next == NULL)
printf("%s ", p->key);
else
printf("%s, ", p->key);
p = p->next;
}
printf("}\n\n");
}
答案 0 :(得分:3)
这可以使用.index()
列表方法和切片表示法来实现。
words = ['tree', 'water', 'dog', 'soap', 'cat', 'bird']
start_index = words.index(start_word)
end_index = words.index(end_word)
sublist = words[start_index:end_index+1]
答案 1 :(得分:0)
def sublist_two_words(array, start_word, end_word):
result = []
for word in array:
if result or word == start_word:
result.push(word)
if word == end_word:
break
return result
这样,即使没有end_word
,它也会获得整个剩余列表。如果我正确地完成了您的任务。