替换字符串列表中的整个字符串

时间:2017-12-21 18:22:54

标签: python string python-3.x replace

我有一个令牌列表。有些以@符号开头。我想将所有这些字符串更改为通用@user。我试过这个:

>>> words = ['@john', 'nina', 'michael', '@bebeto']
>>> words = [w.replace(w, '@user') for w in words if w.startswith('@')]
>>> words
['@user', '@user']
>>> 

我在这里弄错了什么?

3 个答案:

答案 0 :(得分:3)

您的列表理解导致了不需要的输出,只需更改

this.geolocation.getCurrentPosition().then((resp) =>
   this.geoQuery= this.geoFire.query({
    center: [resp.coords.latitude, resp.coords.longitude],
    radius: 20  //kilometers
   });            
   this.geoQuery.on("key_entered", (key, location, distance) => {
      console.log('from geofire ' +location, ' key ' + key,distance);
      this.angularfireDatabase.object('/products/'+key).subscribe((product) => {
          this.products.push(product);
      });
   });
  }).catch((error) => {
   console.log('Error getting location', error);
 });

[w.replace(w, '@user') for w in words if w.startswith('@')]

答案 1 :(得分:2)

首先,您可以简化列表理解的第一部分。这是等效的,不做不必要的替换:

words = ['@user' for w in words if w.startswith('@')]

在列表推导中,最后的if子句决定包含的内容。所以if基本上说,只保留以' @'开头的元素。但是你想要保留所有元素。

相反,您可以使用条件表达式来决定是否获得' @ user'或原始单词:

words = ['@user' if w.startswith('@') else w for w in words]

答案 2 :(得分:1)

你可以试试这个:

words = ['@john', 'nina', 'michael', '@bebeto']
new_words = ['@user' if i.startswith('@') else i for i in words]

输出:

['@user', 'nina', 'michael', '@user']