Python Forum
printing/out put issue with class
Thread Rating:
  • 0 Vote(s) - 0 Average
  • 1
  • 2
  • 3
  • 4
  • 5
printing/out put issue with class
#1
Hi, everyone, i'm new (biggner) to python, started coding from python crash course book, reached now in chapter 9,
having and issue with out put, as there is no out put, the result shows that the (program exited with code:0), code is copied below, shows that printing command is given, iwould realy appreciate your help anf guidlines, thank you.
class Car():
	"""A simple attempt to represent a car."""
	def __init__(self, make, model, year):
		self.make = make
		self.model = model
		self.year = year
		self.odometer_reading = 0
		def get_descriptive_name(self):
			long_name = str(self.year) + ' ' + self.make + ' ' + self.model
			return long_name.title()
			def read_odometer(self):
				print("This car has " + str(self.odometer_reading) + " miles on it.")
				def update_odometer(self, mileage):
					if mileage >= self.odometer_reading:
						self.odometer_reading = mileage
						print("You can't roll back an odometer!")
						def increment_odometer(self, miles):
							self.odometer_reading += miles
							class ElectricCar(Car):
								"""Represent aspects of a car, specific to electric vehicles."""
								def __init__(self, make, model, year):
									"""Initialize attributes of the parent class."""
									super().__init__(make, model, year)
									my_tesla = ElectricCar('tesla', 'model s', 2016)
									print(my_tesla.get_descriptive_name())
Larz60+ write Aug-24-2024, 11:25 AM:
Please post all code, output and errors (it it's entirety) between their respective tags. Refer to BBCode help topic on how to post. Use the "Preview Post" button to make sure the code is presented as you expect before hitting the "Post Reply/Thread" button.
BBCode tags have been added for you this time.
Reply
#2
Indentation is off, resulting in all methods being part of previous method.
Reply
#3
Code should look more like this:
class Car():
    """Base class for cars."""
    def __init__(self, make, model, year):
        self.make = make
        self.model = model
        self.year = year
        self.odometer_reading = 0

    def __str__(self):
        """Return a pretty description."""
        return f"{self.year} {self.make} {self.model}"

    def __repr__(self):
        """Return an informative description."""
        return f"<{self.__class__.__name__} {self.year} {self.make} {self.model}>"

    def update_odometer(self, mileage):
        """Set odometer miles.  Don't allow rolling back miles."""
        if mileage < self.odometer_reading:
            raise ValueError("You can't roll back an odometer!")
        self.odometer_reading = mileage

    def increment_odometer(self, miles):
        """Add miles to odometer."""
        self.odometer_reading += miles


class ElectricCar(Car):
    """An electric car."""


my_tesla = ElectricCar('tesla', 'model s', 2016)
print(my_tesla)
print([my_tesla])
I corrected the indenting and added vertical spacing. Methods in a class should be separated by 1 blank line. There should be two blank lines before and after a class.

Python has some special methods that it uses when operating on classes. Two of these are __str__() and __repr__() which python uses when printing an instance of a class. I replaced get_descriptive_name() with the __str__() method that python calls to get a pretty str appropriate for printing. There is also a __repr__() method that returns a string with more information, in this example it returns the class name in addition to the car description.

I removed the ElectricCar.__init__() method. You only need to write an __init__() method when the __init__() method does something differently than the superclass __init__(). Calling super().__init__() and passing along the arguments is not doing something differently.

I removed the print statements. It makes a class difficult to use if calling some of the methods produces output that might interfere with the user interface. In the update_odometer() I replaced the print command with raising an exception. Now, someone using your class can capture the exception and do something different than printing to the terminal. Maybe they are writing a GUI application in tkinter, and they want to display exceptions in a message box.

I dropped the read_odometer class. If a program wants to display the odometer reading it can get the value from the odometer_reading attribute and print it.

I added a docstring to each method that describes what the method does. Don't force people to read code. Spend a few seconds and write a short description of the class and what each of the methods does.
Reply
#4

Thank you very much all, for your help instructions and guidlines,i really appreciate you support, as instructed i have copied the solution to editor on my laptop and result was successful and amazing, due to being new and first time posting for help on python forum i may have made some mistake unknowingly, that because i ahve not understood some instruction or how to go about it, hopefullly you will excuse me for that.

i am posting the recieved solution/code from python member, for my issue, once again thanks to all:

class Car():
    """Base class for cars."""
    def __init__(self, make, model, year):
        self.make = make
        self.model = model
        self.year = year
        self.odometer_reading = 0
 
    def __str__(self):
        """Return a pretty description."""
        return f"{self.year} {self.make} {self.model}"
 
    def __repr__(self):
        """Return an informative description."""
        return f"<{self.__class__.__name__} {self.year} {self.make} {self.model}>"
 
    def update_odometer(self, mileage):
        """Set odometer miles.  Don't allow rolling back miles."""
        if mileage < self.odometer_reading:
            raise ValueError("You can't roll back an odometer!")
        self.odometer_reading = mileage
 
    def increment_odometer(self, miles):
        """Add miles to odometer."""
        self.odometer_reading += miles
 
 
class ElectricCar(Car):
    """An electric car."""
 
 
my_tesla = ElectricCar('tesla', 'model s', 2016)
print(my_tesla)
print([my_tesla])
out put:
Output:
= RESTART: C:/Users/arabu/AppData/Local/Programs/Python/Python312/solution from python site.py 2016 tesla model s [<ElectricCar 2016 tesla model s>]
deanhystad write Aug-25-2024, 09:41 AM:
No BBcode Answer
Please post all code, output and errors (it it's entirety) between their respective tags. Refer to BBCode help topic on how to post. Use the "Preview Post" button to make sure the code is presented as you expect before hitting the "Post Reply/Thread" button.
Reply


Possibly Related Threads…
Thread Author Replies Views Last Post
  Printing out incidence values for Class Object SquderDragon 3 1,198 Apr-01-2024, 07:52 AM
Last Post: SquderDragon
  Child class inheritance issue eakanathan 3 2,132 Apr-21-2022, 12:03 PM
Last Post: deanhystad
  Issue referencing new instance from other class nanok66 3 2,931 Jul-31-2020, 02:07 AM
Last Post: nanok66
  printing class properties from numpy.ndarrays of objects pjfarley3 2 2,643 Jun-08-2020, 05:30 AM
Last Post: pjfarley3
  Class issue Reldaing 2 2,593 Mar-31-2020, 10:15 PM
Last Post: Reldaing
  Issue with def norm in class Vector DimosG 4 3,309 Mar-26-2020, 05:03 PM
Last Post: DimosG
  Printing class instance P13N 2 3,213 Dec-23-2018, 10:28 PM
Last Post: P13N
  Paramiko output printing issue anna 3 17,687 Feb-06-2018, 08:34 AM
Last Post: anna
  Troubleshooting simple script and printing class objects Drone4four 11 10,243 Dec-16-2017, 05:12 AM
Last Post: Drone4four

Forum Jump:

User Panel Messages

Announcements
Announcement #1 8/1/2020
Announcement #2 8/2/2020
Announcement #3 8/6/2020