calmond
calmond

Reputation: 189

Python import errors

I've written a basic program with a couple of classes, and I've had two issues I would like help with. All of the files are in the same directory, and my classes are in files with the same name as the class.

First, my class files can only import with the format

from module import class 

I can't use the format

import module 

Second, I've only been able to use my classes if I do the import inside of main. When I import at the beginning of the file, I get an unboundlocalerror when creating an object. I've had these issues (especially the 1st one) on more than one program. Any ideas?

Thanks!

Upvotes: 0

Views: 64

Answers (2)

IAmAnProgrammer
IAmAnProgrammer

Reputation: 1

As you found, you cannot just type:

import class     

as that would lead python to believe that you wanted to import a module named class, when what you want is the class inside the module. That is why

from module import class    

does work, as it shows python where 'class' is.

Upvotes: 0

Cory Kramer
Cory Kramer

Reputation: 117856

You cannot, as you found out, use

import class

You either have to use

from module import class

And you'd call the class simply as

class   # note you don't have the module namespace

Or if you'd like to keep the namespace (which I'd recommend)

import module

Then you can say

module.class
module.otherclass
...etc

Upvotes: 1

Related Questions