Python 统计字符串中单个字母的出现次数

Document 对象参考手册 Python3 实例

在 Python 中,我们可以使用字典来统计字符串中每个字母的出现次数。通过遍历字符串中的每个字符,并将其作为字典的键,我们可以轻松地统计每个字符的出现次数。

实例

def count_characters(s):
    char_count = {}
    for char in s:
        if char in char_count:
            char_count[char] += 1
        else:
            char_count[char] = 1
    return char_count

# 示例字符串
text = "hello world"
result = count_characters(text)
print(result)

代码解析:

  1. count_characters(s) 是一个函数,接受一个字符串 s 作为参数。
  2. char_count = {} 初始化一个空字典,用于存储字符及其出现次数。
  3. for char in s: 遍历字符串中的每个字符。
  4. if char in char_count: 检查当前字符是否已经在字典中。
    • 如果已经在字典中,char_count[char] += 1 将该字符的计数加 1。
    • 如果不在字典中,char_count[char] = 1 将该字符添加到字典中,并将计数初始化为 1。
  5. return char_count 返回包含字符及其出现次数的字典。
  6. text = "hello world" 定义一个示例字符串。
  7. result = count_characters(text) 调用函数并传入示例字符串。
  8. print(result) 打印结果。

输出结果:

实例

{'h': 1, 'e': 1, 'l': 3, 'o': 2, ' ': 1, 'w': 1, 'r': 1, 'd': 1}

这个输出表示在字符串 "hello world" 中,每个字符的出现次数。例如,字符 'l' 出现了 3 次,字符 'o' 出现了 2 次,等等。

Document 对象参考手册 Python3 实例