) Write a C program to perform the operation on Singly linked list:
i) Insert a new node at the end of the list.
ii) Delete a node from the beginning of the list.
iii) Search for a given node.
iv) Display the list
answer:-
// i) Insert a new node at the end of the list
void insertAtEnd(Node** head, int data) {
  Node* newNode = createNode(data);
  if (*head == NULL) {
     *head = newNode;
     return;
  }
  Node* temp = *head;
  while (temp->next != NULL) {
     temp = temp->next;
  }
  temp->next = newNode;
}
// ii) Delete a node from the beginning of the list
void deleteFromBeginning(Node** head) {
 if (*head == NULL) {
     printf("List is empty. Nothing to delete.\n");
     return;
 }
 Node* temp = *head;
 *head = (*head)->next;
    free(temp);
}
// iii) Search for a given node
int searchNode(Node* head, int key) {
  int position = 1;
  while (head != NULL) {
     if (head->data == key) {
        return position; // Return position if key is found
     }
     head = head->next;
     position++;
  }
  return -1; // Key not found
}
// iv) Display the list
void displayList(Node* head) {
  if (head == NULL) {
     printf("List is empty.\n");
     return;
  }
  while (head != NULL) {
     printf("%d -> ", head->data);
     head = head->next;
  }
  printf("NULL\n");
}
// Main function
int main() {
 Node* head = NULL; // Initialize the list as empty
 int choice, data, key, pos;
 do {
   printf("\nSingly Linked List Operations:\n");
   printf("1. Insert at end\n");
   printf("2. Delete from beginning\n");
   printf("3. Search for a node\n");
   printf("4. Display list\n");
   printf("5. Exit\n");
   printf("Enter your choice: ");
   scanf("%d", &choice);
   switch (choice) {
     case 1:
       printf("Enter the value to insert: ");
       scanf("%d", &data);
       insertAtEnd(&head, data);
       break;
     case 2:
       deleteFromBeginning(&head);
       break;
     case 3:
       printf("Enter the value to search: ");
       scanf("%d", &key);
       pos = searchNode(head, key);
       if (pos != -1) {
          printf("Node with value %d found at position %d.\n", key, pos);
       } else {
          printf("Node with value %d not found.\n", key);
          }
          break;
        case 4:
          printf("Current list: ");
          displayList(head);
          break;
        case 5:
          printf("Exiting program.\n");
          break;
        default:
          printf("Invalid choice. Try again.\n");
       }
    } while (choice != 5);
    return 0;
}