172k views
2 votes
Write the python program to create a linked list called marks that contain 5 nodes with the values 56.5,92.8,80.0,78.9, and 95.0

User Crcalin
by
8.7k points

1 Answer

4 votes

Final answer:

A Python program for creating a linked list called marks with specified numeric values involves setting up a Node class and a function to create the linked list itself.

Step-by-step explanation:

To create a linked list in Python called marks with the values 56.5, 92.8, 80.0, 78.9, and 95.0, you will need to define a Node class and then create instances of this Node to hold your values linked together. Here's a simple program to do that:

class Node:
def __init__(self, data=None):
self.data = data
self.next = None

def create_linked_list(values):
head = Node(values[0])
current = head
for value in values[1:]:
current.next = Node(value)
current = current.next
return head

# Values to add to the linked list
marks_values = [56.5, 92.8, 80.0, 78.9, 95.0]
# Creating the linked list
marks = create_linked_list(marks_values)

With this program, the marks linked list is created and populated with the provided values, creating five nodes.

User Avram
by
7.5k points