2

这段代码有效,但在这里阅读帖子我得到的印象可能不是一个非常“Pythonic”的解决方案。有没有更好更有效的方法来解决这个特定问题:

这段代码的作用:它计算在另一个字符串中找到的一个字符串的实例并返回计数。如果用户尝试传入空字符串,则会引发错误。

我想出的代码版本,但想知道是否有更好、更高效、更“Pythonic”的方法来做到这一点:

def count_string(raw_string, string_to_count):
    if len(string_to_count) == 0:
        raise ValueError("The length of string_to_count should not be 0!")
    else:
        str_count = 0
        string_to_count = string_to_count.lower()
        raw_string = raw_string.lower()
        if string_to_count not in raw_string:
            # this causes early exit if string not found at all
            return str_count
        else:
            while raw_string.find(string_to_count) != -1:
                indx = raw_string.find(string_to_count)
                str_count += 1
                raw_string = raw_string[(indx+1): ]
            return str_count

此代码是用 Python 2.7 编写的,但应该可以在 3.x 中运行。

4

2 回答 2

11

为什么不使用的count方法str

>>> a = "abcghabchjlababc"
>>> a.count("abc")
3
于 2017-03-13T14:23:10.797 回答
2

另一种可能的解决方案。

>>> a= 'almforeachalmwhilealmleandroalmalmalm'
>>> len(a.split('alm')) - 1
6
>>> q = "abcghabchjlababc"
>>> len(q.split("abc")) - 1
3
于 2017-03-13T14:26:19.070 回答