Ошибка Python: TypeError: объект 'module' не вызывается для кода Python HeadFirst - PullRequest
15 голосов
/ 01 апреля 2011

Я следую учебному пособию из книги HeadFirst Python. В главе 7 я получаю сообщение об ошибке при попытке запустить следующий код:

Класс спортсмена:

class AthleteList(list):
    def __init__(self, a_name, a_dob=None, a_times=[]):
        list.__init__([])
        self.name = a_name
        self.dob = a_dob
        self.extend(a_times)

    def top3(self):
        return(sorted(set([sanitize(t) for t in self]))[0:3])

def get_coach_data(filename):
    try:
        with open(filename) as f:
            data = f.readline()
        templ = data.strip().split(',')
        return(AthleteList(templ.pop(0), templ.pop(0), templ))
    except IOError as ioerr:
        print('File error: ' + str(ioerr))
        return(None)

def sanitize(time_string):
    if '-' in time_string:
        splitter = '-'
    elif ':' in time_string:
        splitter = ':'
    else:
        return(time_string)
    (mins, secs) = time_string.split(splitter)
    return(mins + '.' + secs)

и со следующим модулем я делаю несколько тестов:

import pickle

import AthleteList

def get_coach_data(filename):
    try:
        with open(filename) as f:
            data = f.readline()
        templ = data.strip().split(',')
        return(AthleteList(templ.pop(0), templ.pop(0), templ))
    except IOError as ioerr:
        print('File error (get_coach_data): ' + str(ioerr))
        return(None)

def put_to_store(files_list):
    all_athletes = {}
    for each_file in files_list:
        ath = get_coach_data(each_file)
        all_athletes[ath.name] = ath
    try:
        with open('athletes.pickle', 'wb') as athf:
            pickle.dump(all_athletes, athf)
    except IOError as ioerr:
        print('File error (put_and_store): ' + str(ioerr))
    return(all_athletes)

def get_from_store():
    all_athletes = {}
    try:
        with open('athletes.pickle', 'rb') as athf:
            all_athletes = pickle.load(athf)
    except IOError as ioerr:
        print('File error (get_from_store): ' + str(ioerr))
    return(all_athletes)


print (dir())

the_files = ['sarah.txt','james.txt','mikey.txt','julie.txt']
data = put_to_store(the_files)

data

Это содержимое файла Julie.txt:

Julie Jones,2002-8-17,2.59,2.11,2:11,2:23,3-10,2-23,3:10,3.21,3-21,3.01,3.02,2:59

и почти то же самое с другими файлами

Я должен получить что-то вроде этого:

{'James Lee': ['2-34', '3:21', '2.34', '2.45', '3.01', '2:01', '2:01', '3:10', '2-22', '2-
01', '2.01', '2:16'], 'Sarah Sweeney': ['2:58', '2.58', '2:39', '2-25', '2-55', '2:54', '2.18',
'2:55', '2:55', '2:22', '2-21', '2.22'], 'Julie Jones': ['2.59', '2.11', '2:11', '2:23', '3-
10', '2-23', '3:10', '3.21', '3-21', '3.01', '3.02', '2:59'], 'Mikey McManus': ['2:22', '3.01',
'3:01', '3.02', '3:02', '3.02', '3:22', '2.49', '2:38', '2:40', '2.22', '2-31']}

но я получаю это сообщение об ошибке:

['AthleteList', '__builtins__', '__cached__', '__doc__', '__file__', '__name__', '__package__', 'get_coach_data', 'get_from_store', 'pickle', 'put_to_store']
Traceback (most recent call last):
  File "C:\Python\workspace\HeadFirst\src\prueba.py", line 41, in <module>
    data = put_to_store(the_files)
  File "C:\Python\workspace\HeadFirst\src\prueba.py", line 19, in put_to_store
    ath = get_coach_data(each_file)
  File "C:\Python\workspace\HeadFirst\src\prueba.py", line 11, in get_coach_data
    return(AthleteList(templ.pop(0), templ.pop(0), templ))
TypeError: 'module' object is not callable

Что я делаю не так?

Ответы [ 3 ]

53 голосов
/ 01 апреля 2011

Ваш модуль и ваш класс AthleteList имеют одно и то же имя. Линия

import AthleteList

импортирует модуль и создает имя AthleteList в текущей области видимости, которое указывает на объект модуля. Если вы хотите получить доступ к фактическому классу, используйте

AthleteList.AthleteList

В частности, в строке

return(AthleteList(templ.pop(0), templ.pop(0), templ))

вы на самом деле обращаетесь к объекту модуля, а не к классу. Попробуйте

return(AthleteList.AthleteList(templ.pop(0), templ.pop(0), templ))
9 голосов
/ 17 февраля 2013

Ваш модуль и класс AthleteList имеют одно и то же имя. Изменения:

import AthleteList

до:

from AthleteList import AthleteList

Теперь это означает, что вы импортируете объект модуля и не сможете получить доступ к методам модуля, которые есть у вас в AthleteList

2 голосов
/ 03 марта 2017

Как сказал @Agam,

Вам нужно это утверждение в файле драйвера: from AthleteList import AtheleteList

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...