我正在尝试对一些文本进行分类,并具有以下代码:

from google.cloud import language
from google.cloud.language import enums
from google.cloud.language import types


def classify_text(text):
    """Classifies content categories of the provided text."""
    client = language.LanguageServiceClient()

    if isinstance(text, six.binary_type):
        text = text.decode('utf-8')

    document = types.Document(
        content=text.encode('utf-8'),
        type=enums.Document.Type.PLAIN_TEXT)

    categories = client.classify_text(document).categories

    for category in categories:
        print(u'=' * 20)
        print(u'{:<16}: {}'.format('name', category.name))
        print(u'{:<16}: {}'.format('confidence', category.confidence))


但是当我呼叫:classify_text('Hello')时,我得到:

AttributeError: 'LanguageServiceClient' object has no attribute 'classify_text'

我似乎找不到关于此错误的任何问题。有人知道这里发生了什么吗?

最佳答案

我使用的版本为0.29,已弃用。当前版本是1.1,正确的功能如下:

def classify(text, verbose=True):
    """Classify the input text into categories. """

    language_client = language.LanguageServiceClient()

    document = language.types.Document(
        content=text,
        type=language.enums.Document.Type.PLAIN_TEXT)
    response = language_client.classify_text(document)
    categories = response.categories

    result = {}

    for category in categories:
        # Turn the categories into a dictionary of the form:
        # {category.name: category.confidence}, so that they can
        # be treated as a sparse vector.
        result[category.name] = category.confidence

    if verbose:
        print(text)
        for category in categories:
            print(u'=' * 20)
            print(u'{:<16}: {}'.format('category', category.name))
            print(u'{:<16}: {}'.format('confidence', category.confidence))

    return result


找到该函数here,但是发现我误用的函数here

关于python - AttributeError:“LanguageServiceClient”对象没有属性“classify_text”,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/53092916/

10-12 19:34