计算字符串中某个字符出现的次数

2024-11-28 08:37:00
admin
原创
9
摘要:问题描述:如何计算字符串中某个字符出现的次数?例如'a'出现了'Mary had a little lamb'4次。解决方案 1:str.count(sub[, start[, end]])sub返回范围内不重叠的子字符串出现次数[start, end]。可选参数start和end以切片表示法进行解释。>...

问题描述:

如何计算字符串中某个字符出现的次数?

例如'a'出现了'Mary had a little lamb'4次。


解决方案 1:

str.count(sub[, start[, end]])

sub返回范围内不重叠的子字符串出现次数[start, end]。可选参数startend以切片表示法进行解释。

>>> sentence = 'Mary had a little lamb'
>>> sentence.count('a')
4

解决方案 2:

您可以使用.count()

>>> 'Mary had a little lamb'.count('a')
4

解决方案 3:

要获取所有字母的数量,请使用collections.Counter

>>> from collections import Counter
>>> counter = Counter("Mary had a little lamb")
>>> counter['a']
4

解决方案 4:

也许是正则表达式?

import re
my_string = "Mary had a little lamb"
len(re.findall("a", my_string))

解决方案 5:

Python-3.x:

"aabc".count("a")

str.count(子[, 开始[, 结束]])

返回子字符串 sub 在范围 [start, end] 内不重叠出现的次数。可选参数 start 和 end 按照切片符号进行解释。

解决方案 6:

myString.count('a');

更多信息请点击此处

解决方案 7:

这个简单直接的功能可能会有所帮助:

def check_freq(x):
    freq = {}
    for c in set(x):
       freq[c] = x.count(c)
    return freq

check_freq("abbabcbdbabdbdbabababcbcbab")
{'a': 7, 'b': 14, 'c': 3, 'd': 3}

如果需要理解:

def check_freq(x):
    return {c: x.count(c) for c in set(x)}

解决方案 8:

str.count(a)是计算字符串中单个字符的最佳解决方案。但如果您需要计算更多字符,则必须读取整个字符串,次数与要计算的字符数相同。

完成这项工作的更好方法是:

from collections import defaultdict

text = 'Mary had a little lamb'
chars = defaultdict(int)

for char in text:
    chars[char] += 1

因此,您将有一个字典,它返回字符串中每个字母出现的次数以及0是否存在字母。

>>>chars['a']
4
>>>chars['x']
0

对于不区分大小写的计数器,您可以通过子类化来覆盖变量器和访问器方法defaultdict(基类的方法是只读的):

class CICounter(defaultdict):
    def __getitem__(self, k):
        return super().__getitem__(k.lower())

    def __setitem__(self, k, v):
        super().__setitem__(k.lower(), v)


chars = CICounter(int)

for char in text:
    chars[char] += 1

>>>chars['a']
4
>>>chars['M']
2
>>>chars['x']
0

解决方案 9:

使用數量:

sentence = 'A man walked up to a door'
print(sentence.count('a'))
# 4

解决方案 10:

如果您想要不区分大小写(当然还有正则表达式的所有功能),正则表达式非常有用。

my_string = "Mary had a little lamb"
# simplest solution, using count, is case-sensitive
my_string.count("m")   # yields 1
import re
# case-sensitive with regex
len(re.findall("m", my_string))
# three ways to get case insensitivity - all yield 2
len(re.findall("(?i)m", my_string))
len(re.findall("m|M", my_string))
len(re.findall(re.compile("m",re.IGNORECASE), my_string))

请注意,正则表达式版本的运行时间大约是原来的十倍,只有当 my_string 非常长或代码位于深循环内时,这才会成为问题。

解决方案 11:

我不知道“最简单”,但简单的理解可以做到:

>>> my_string = "Mary had a little lamb"
>>> sum(char == 'a' for char in my_string)
4

利用内置总和、生成器理解和 bool 是整数子类的事实:多少次字符等于“a”。

解决方案 12:

a = 'have a nice day'
symbol = 'abcdefghijklmnopqrstuvwxyz'
for key in symbol:
    print(key, a.count(key))

解决方案 13:

另一种获取所有字符数的方法,无需使用Counter(),count和正则表达式

counts_dict = {}
for c in list(sentence):
  if c not in counts_dict:
    counts_dict[c] = 0
  counts_dict[c] += 1

for key, value in counts_dict.items():
    print(key, value)

解决方案 14:

我很喜欢 pandas 库,特别是它的value_counts()方法。你可以用它来计算字符串中每个字符的出现次数:

>>> import pandas as pd
>>> phrase = "I love the pandas library and its `value_counts()` method"
>>> pd.Series(list(phrase)).value_counts()
     8
a    5
e    4
t    4
o    3
n    3
s    3
d    3
l    3
u    2
i    2
r    2
v    2
`    2
h    2
p    1
b    1
I    1
m    1
(    1
y    1
_    1
)    1
c    1
dtype: int64

解决方案 15:

count绝对是计算字符串中字符出现次数的最简洁、最有效的方法,但我尝试使用 来提出解决方案lambda,如下所示:

sentence = 'Mary had a little lamb'
sum(map(lambda x : 1 if 'a' in x else 0, sentence))

这将导致:

4

此外,这样做还有一个优点,如果句子是包含与上面相同字符的子字符串列表,那么由于使用了,这也会给出正确的结果in。看一看:

sentence = ['M', 'ar', 'y', 'had', 'a', 'little', 'l', 'am', 'b']
sum(map(lambda x : 1 if 'a' in x else 0, sentence))

这也导致:

4

但当然,这只有在检查单个字符的出现时才会起作用,例如'a'在这种特殊情况下。

解决方案 16:

a = "I walked today,"
c=['d','e','f']
count=0
for i in a:
    if str(i) in c:
        count+=1

print(count)

解决方案 17:

Python 3

有两种方法可以实现这一点:

1)使用内置函数 count()

sentence = 'Mary had a little lamb'
print(sentence.count('a'))`

2)不使用函数

sentence = 'Mary had a little lamb'    
count = 0

for i in sentence:
    if i == "a":
        count = count + 1

print(count)

解决方案 18:

我知道问题是要计算某个字母的数量。我在这里编写的是通用代码,没有使用任何方法。

sentence1 =" Mary had a little lamb"
count = {}
for i in sentence1:
    if i in count:
        count[i.lower()] = count[i.lower()] + 1
    else:
        count[i.lower()] = 1
print(count)

输出

{' ': 5, 'm': 2, 'a': 4, 'r': 1, 'y': 1, 'h': 1, 'd': 1, 'l': 3, 'i': 1, 't': 2, 'e': 1, 'b': 1}

现在如果您想要任何特定的字母频率,您可以像下面一样打印。

print(count['m'])
2

解决方案 19:

最简单的方法是用一行代码编写:

'Mary had a little lamb'.count("a")

但如果你愿意也可以使用这个:

sentence ='Mary had a little lamb'
   count=0;
    for letter in sentence :
        if letter=="a":
            count+=1
    print (count)

解决方案 20:

要查找句子中字符的出现情况,可以使用以下代码

首先,我从句子中取出独特的字符,然后计算句子中每个字符的出现次数,其中包括空格的出现次数。

ab = set("Mary had a little lamb")

test_str = "Mary had a little lamb"

for i in ab:
  counter = test_str.count(i)
  if i == ' ':
    i = 'Space'
  print(counter, i)

上述代码的输出如下。

1 : r ,
1 : h ,
1 : e ,
1 : M ,
4 : a ,
1 : b ,
1 : d ,
2 : t ,
3 : l ,
1 : i ,
4 : Space ,
1 : y ,
1 : m ,

解决方案 21:

这是已接受答案的扩展,您应该查找文本中所有字符的数量。

# Objective: we will only count for non-empty characters

text = "count a character occurrence"
unique_letters = set(text)
result = dict((x, text.count(x)) for x in unique_letters if x.strip())

print(result)
# {'a': 3, 'c': 6, 'e': 3, 'u': 2, 'n': 2, 't': 2, 'r': 3, 'h': 1, 'o': 2}

解决方案 22:

“不使用计数来在字符串中查找所需字符”的方法。

import re

def count(s, ch):

   pass

def main():

   s = raw_input ("Enter strings what you like, for example, 'welcome': ")  

   ch = raw_input ("Enter you want count characters, but best result to find one character: " )

   print ( len (re.findall ( ch, s ) ) )

main()

解决方案 23:

接受此用户的评论:

import numpy as np
sample = 'samplestring'
np.unique(list(sample), return_counts=True)

出去:

(array(['a', 'e', 'g', 'i', 'l', 'm', 'n', 'p', 'r', 's', 't'], dtype='<U1'),
 array([1, 1, 1, 1, 1, 1, 1, 1, 1, 2, 1]))

检查“s”。您可以按如下方式过滤这两个数组的元组:

a[1][a[0]=='s']

附注:它的工作原理与 numpy 中Counter()的包类似collections,只不过你经常导入它。你也可以在单词列表中计算唯一单词的数量。

解决方案 24:

您可以使用循环和字典。

def count_letter(text):
    result = {}
    for letter in text:
        if letter not in result:
            result[letter] = 0
        result[letter] += 1
    return result

解决方案 25:

仅此而已,恕我直言 - 您可以添加上部或下部方法

def count_letter_in_str(string,letter):
    return string.count(letter)

解决方案 26:

spam = 'have a nice day'
var = 'd'


def count(spam, var):
    found = 0
    for key in spam:
        if key == var:
            found += 1
    return found
count(spam, var)
print 'count %s is: %s ' %(var, count(spam, var))
相关推荐
  为什么项目管理通常仍然耗时且低效?您是否还在反复更新电子表格、淹没在便利贴中并参加每周更新会议?这确实是耗费时间和精力。借助软件工具的帮助,您可以一目了然地全面了解您的项目。如今,国内外有足够多优秀的项目管理软件可以帮助您掌控每个项目。什么是项目管理软件?项目管理软件是广泛行业用于项目规划、资源分配和调度的软件。它使项...
项目管理软件   649  
  如何借鉴华为IPD体系优化企业研发?在当今竞争激烈的市场环境中,企业要想保持技术领先和产品竞争力,必须拥有一套高效且严谨的研发管理体系。华为作为全球领先的ICT解决方案提供商,其集成产品开发(IPD, Integrated Product Development)体系与质量管理体系(如ISO 9000系列)的融合实践,...
IPD项目管理   0  
  IPD流程图的7种经典绘制方法详解在产品开发领域,集成产品开发(Integrated Product Development,简称IPD)流程被广泛应用,以提高产品开发的效率和质量。IPD流程图作为这一流程的可视化工具,其绘制方法至关重要。本文将详细介绍七种经典的IPD流程图绘制方法,帮助项目管理人员和团队更好地理解和...
IPD研发管理体系   0  
  IPD流程:企业创新管理的核心引擎在当今快速变化的市场环境中,企业要想持续保持竞争力,就必须不断进行创新。而IPD(Integrated Product Development,集成产品开发)流程作为一种先进的产品开发管理模式,正逐渐成为众多企业提升创新能力、加速产品上市速度、降低开发成本的重要选择。本文将深入探讨IP...
IPD管理   0  
  IPD流程与传统产品开发流程的概述在产品开发领域,企业不断寻求高效、系统的管理方法以确保产品能够顺利从概念转化为市场成功的产品。集成产品开发(Integrated Product Development,简称IPD)流程与传统产品开发流程是两种截然不同的管理理念和方法。传统产品开发流程往往以职能部门为核心,各部门按顺序...
IPD流程中PDCP是什么意思   0  
热门文章
项目管理软件有哪些?
云禅道AD
禅道项目管理软件

云端的项目管理软件

尊享禅道项目软件收费版功能

无需维护,随时随地协同办公

内置subversion和git源码管理

每天备份,随时转为私有部署

免费试用