23

I'm making a program that can access data stored inside a class. So for example I have this class:

#!/usr/bin/env python
import shelve

cur_dir = '.'

class Person:
    def __init__(self, name, score, age=None, yrclass=10):
        self.name = name
        self.firstname = name.split()[0]
        try:
            self.lastname = name.split()[1]
        except:
            self.lastname = None

        self.score = score
        self.age = age
        self.yrclass = yrclass
    def yrup(self):
        self.age += 1
        self.yrclass += 1

if __name__ == "__main__":
    db = shelve.open('people.dat')
    db['han'] = Person('Han Solo', 100, 37)
    db['luke'] = Person('Luke Skywalker', 83, 26)
    db['chewbacca'] = Person('Chewbacca', 100, 90901)

So using this I can call out a single variable like:

print db['luke'].name

But if I wanted to print all variables, I'm a little lost.

If I run:

f = db['han']
dir(f)

I get:

['__doc__', '__init__', '__module__', 'age', 'firstname', 'lastname', 'name', 'score', 'yrclass', 'yrup']

But I want to be able to print the actual data of those.

How can I do this?

Thanks in advance!

Fergus Barker
  • 1,214
  • 5
  • 14
  • 26

7 Answers7

44
print db['han'].__dict__
DisplacedAussie
  • 4,438
  • 1
  • 25
  • 21
22

Rather than using magic methods , Vars could be more preferable.

print(vars(db['han']))
Suresh2692
  • 3,563
  • 3
  • 15
  • 25
11
print(vars(objectName))

Output:
{'m_var1': 'val1', 'm_var2': 'val2'}

This will print all the class variables with values initialised.

Andy K
  • 4,745
  • 10
  • 46
  • 78
Archie Yalakki
  • 452
  • 3
  • 11
4

Define __str__ or __repr__ methods in your Person class and print the object.

EMPraptor
  • 642
  • 1
  • 5
  • 11
2

Just try beeprint

after pp(db['han']), it will print this:

instance(Person):
    age: 37
    firstname: 'Han',
    lastname: 'Solo',
    name: 'Han Solo',
    score: 100,
    yrclass: 10

no methods, no private properties.

Anyany Pan
  • 569
  • 5
  • 9
0

print(vars(self)) or pprint(vars(self))

and to access self.variable name

Eg. self._own_name

user14678216
  • 1,992
  • 2
  • 9
  • 28
0

If you want only the values of the variables you defined, you can do:

variables = [v for k, v in db['han'].__dict__.items() 
              
              # variable is not a python internal variable
              if not k.startswith("__") 
              and not k.endswith("__")
              
              # and is not a function
              and not "method" in str(v)
              and not "function" in str(v)]


print(variables) 
# ['Han Solo', 'Han', 'Solo', 100, 37, 10]

You will not print functions or internal Python variables (start and end with __), called dunders.

Vincent Claes
  • 2,937
  • 3
  • 31
  • 52