115k views
3 votes
Write A Class Called Course With Following Details : Attributes: Course_id (Int), Course_title (String), Semester (String) Overloaded Constructor Ex: Course (Int Id, String Name, String Sem) ToString() Method To Return Course Details (Course_id, Course_name, Semester) Override Equals Method So That Two Courses Are Equal If They Have Same Id Override

1 Answer

5 votes

Final answer:

Certainly! Here's a Python example of the `Course` class implementing the specified requirements:

```python

class Course:

def __init__(self, course_id, course_title, semester):

self.course_id = course_id

self.course_title = course_title

self.semester = semester

def __str__(self):

return f"Course ID: {self.course_id}, Course Title: {self.course_title}, Semester: {self.semester}"

def __eq__(self, other):

if isinstance(other, Course):

return self.course_id == other.course_id

return False

```

Step-by-step explanation:

This Python class, `Course`, has attributes `course_id`, `course_title`, and `semester`. It has an overloaded constructor that takes in these attributes to initialize the `Course` object. The `__str__` method provides a string representation of the `Course` object, displaying its details. The `__eq__` method overrides the equality comparison, making two courses equal if they have the same `course_id`.

You can create instances of the `Course` class and compare them based on their `course_id`. For example:

```python

# Creating instances of Course

course1 = Course(1, "Mathematics", "Spring")

course2 = Course(2, "History", "Fall")

course3 = Course(1, "Biology", "Summer")

# Printing course details

print(course1) # Output: Course ID: 1, Course Title: Mathematics, Semester: Spring

print(course2) # Output: Course ID: 2, Course Title: History, Semester: Fall

# Checking equality

print(course1 == course2) # Output: False

print(course1 == course3) # Output: True

```

This example demonstrates the creation of `Course` instances, printing their details using the `__str__` method, and checking their equality using the overridden `__eq__` method based on the `course_id`.

User Wioletta
by
7.6k points