SlideShare a Scribd company logo
Create a link list. Add some nodes to it, search and delete nodes from it.
Solution
#include
#include
using std::cout;
using std::endl;
/*
A linked list is a list constructed using pointers. It is not fixed in
size and could grow and shrink while the program is running.
A typical defination of list nodes contains at least two parts, both the
content or date of each element and the pointer to the next element,
which is shown in the figure below.
+---------+
| Data | -----> holds the data of this element in the list.
+---------+
| pointer | -----> is a pointer to the next element in the list.
+---------+
***Attention***:
The pointer holds the address of the next element, not the address of the
data in the next element, even though they are the same in value sometimes.
And It should be set to NULL while acting as the last node of the list.
Implementation of the single linked list:
+---------+ --->+---------+ --->+---------+
| Data | | | Data | | | Data |
+---------+ | +---------+ | +---------+
| pointer |----- | pointer |----- | pointer |
+---------+ +---------+ +---------+
*/
/* definition of the list node class */
class Node
{
friend class LinkedList;
private:
int _value; /* data, can be any data type, but use integer for easiness */
Node *_pNext; /* pointer to the next node */
public:
/* Constructors with No Arguments */
Node(void)
: _pNext(NULL)
{ }
/* Constructors with a given value */
Node(int val)
: _value(val), _pNext(NULL)
{ }
/* Constructors with a given value and a link of the next node */
Node(int val, Node* next)
: _value(val), _pNext(next)
{}
/* Getters */
int getValue(void)
{ return _value; }
Node* getNext(void)
{ return _pNext; }
};
/* definition of the linked list class */
class LinkedList
{
private:
/* pointer of head node */
Node *_pHead;
/* pointer of tail node */
Node *_pTail;
public:
/* Constructors with No Arguments */
LinkedList(void);
/* Constructors with a given value of a list node */
LinkedList(int val);
/* Destructor */
~LinkedList(void);
/* Function to add a node at the head of a linked list */
void headInsert(int val);
/* Function to add a node in the middle of a linked list */
void insertAfter(Node* afterMe, int val);
/* Function to append a node to the end of a linked list */
void tailAppend(int val);
/* Function to get the node in the specific position */
Node* getNode(int pos);
/* Traversing the list and printing the value of each node */
void traverse_and_print();
};
LinkedList::LinkedList()
{
/* Initialize the head and tail node */
_pHead = _pTail = NULL;
}
LinkedList::LinkedList(int val)
{
/* Create a new node, acting as both the head and tail node */
_pHead = new Node(val);
_pTail = _pHead;
}
LinkedList::~LinkedList()
{
/*
* Leave it empty temporarily.
* It will be described in detail in the example "How to delete a linkedlist".
*/
}
void LinkedList::headInsert(int val)
{
/* The list is empty? */
if (_pHead == NULL) {
/* the same to create a new list with a given value */
_pTail = _pHead = new Node(val);
}
else
{
/* Create a new node and insert it before the head node */
Node *node = new Node(val);
node->_pNext = _pHead;
/* Update the head node */
_pHead = node;
}
}
void LinkedList::insertAfter(Node* afterMe, int val)
{
if(afterMe != NULL)
{
/* The image of inserting a node like the figures below
before inserting:
+---------+ --->---------+ --->+---------+
| afterMe | | | Node(a) | | | others |
+---------+ | +---------+ | +---------+
| next |----- | next |----- | NULL |
+---------+ +---------+ +---------+
after inserting:
(1)
+---------+ --->+---------+ --->+---------+ --->+---------+
| afterMe | (3)| | New Node| (2)| | Node(a) | | | others |
+---------+ | +---------+ | +---------+ | +---------+
| next |----- | next |----- | next |----- | NULL |
+---------+ +---------+ +---------+ +---------+
* There are three steps to insert a node into a list
* Step(1): shown as (1) in the figure above
Create a new node to be inserted
* Step(2):
Make the "next" pointer of the New Node point to the Node(a)
* Step(3):
Make the "next" pointer of the afterMe node point to the New Node
*/
afterMe->_pNext = new Node(val, afterMe->_pNext);
}
}
void LinkedList::tailAppend(int val)
{
/* The list is empty? */
if (_pHead == NULL) {
/* the same to create a new list with a given value */
_pTail = _pHead = new Node(val);
}
else
{
/* Append the new node to the tail */
_pTail->_pNext = new Node(val);
/* Update the tail pointer */
_pTail = _pTail->_pNext;
}
}
Node* LinkedList::getNode(int pos)
{
Node* p = _pHead;
/* Counter */
while (pos--) {
if (p != NULL)
p = p->_pNext;
else
return NULL;
}
return p;
}
void LinkedList::traverse_and_print()
{
Node *p = _pHead;
/* The list is empty? */
if (_pHead == NULL) {
cout << "The list is empty" << endl;
return;
}
cout << "LinkedList: ";
/* A basic way of traversing a linked list */
while (p != NULL) { /* while there are some more nodes left */
/* output the value */
cout << p->_value << " ";
/* The pointer moves along to the next one */
p = p->_pNext;
}
cout << endl;
}
int main(int argc, const char * argv[])
{
/* Create a list with only one node */
LinkedList list(1);
cout << "Create a list with only one node" << endl;
/* output the result */
list.traverse_and_print();
/* Add a node with value 2 at the head of the list */
list.headInsert(2);
cout << "Add a node with value 2 at the head of the list" << endl;
/* output the result */
list.traverse_and_print();
/* Append a node with value 3 to the end of the list */
list.tailAppend(3);
cout << "Append a node with value 3 to the end of the list" << endl;
/* output the result */
list.traverse_and_print();
/* Insert a node with value 4 after the first node of the list */
list.insertAfter(list.getNode(0), 4);
cout << "Insert a node with value 4 after the first node of the list" << endl;
/* output the result */
list.traverse_and_print();
return 0;
}

More Related Content

PDF
#include sstream #include linkylist.h #include iostream.pdf
PPTX
Linked lists a
PPTX
Linked list
PDF
C++ Doubly-Linked ListsThe goal of the exercise is to implement a.pdf
PPTX
UNIT 2LINKEDLISdddddddddddddddddddddddddddT.pptx
PDF
This assignment and the next (#5) involve design and development of a.pdf
PPT
dynamicList.ppt
DOCX
C++ Please write the whole code that is needed for this assignment- wr.docx
#include sstream #include linkylist.h #include iostream.pdf
Linked lists a
Linked list
C++ Doubly-Linked ListsThe goal of the exercise is to implement a.pdf
UNIT 2LINKEDLISdddddddddddddddddddddddddddT.pptx
This assignment and the next (#5) involve design and development of a.pdf
dynamicList.ppt
C++ Please write the whole code that is needed for this assignment- wr.docx

Similar to Create a link list. Add some nodes to it, search and delete nodes fro.pdf (20)

PPTX
Linked list and its operations - Traversal
PPTX
linkedlist-130914084342-phpapp02.pptx
PPTX
DSA(1).pptx
PDF
Data Structures in C++I am really new to C++, so links are really .pdf
PDF
AnswerNote LinkedList.cpp is written and driver program main.cpp.pdf
PPTX
linked list
PPT
Algo>ADT list & linked list
PPTX
singlelinkedlistasdfghzxcvbnmqwertyuiopa
PPTX
Linked list
PPTX
linkedlistforslideshare-210123143943.pptx
PPT
linkedlistwith animations.ppt
DOCX
Bsf23006565 dsa 3rd assignment.docx............
PPTX
LEC_4,5_linked_list.pptx this is Good for data structure
PPTX
LEC_4,5_linked_list.pptx for single and double linked list
PDF
#ifndef LINKED_LIST_ #define LINKED_LIST_ templateclass It.pdf
PDF
Solution#includestdio.h#includeconio.h#includealloc.h.pdf
PPT
Lecture 3 List of Data Structures & Algorithms
PPT
linked-list.ppt
PDF
#includeiostream #includecstdio #includecstdlib using na.pdf
Linked list and its operations - Traversal
linkedlist-130914084342-phpapp02.pptx
DSA(1).pptx
Data Structures in C++I am really new to C++, so links are really .pdf
AnswerNote LinkedList.cpp is written and driver program main.cpp.pdf
linked list
Algo>ADT list & linked list
singlelinkedlistasdfghzxcvbnmqwertyuiopa
Linked list
linkedlistforslideshare-210123143943.pptx
linkedlistwith animations.ppt
Bsf23006565 dsa 3rd assignment.docx............
LEC_4,5_linked_list.pptx this is Good for data structure
LEC_4,5_linked_list.pptx for single and double linked list
#ifndef LINKED_LIST_ #define LINKED_LIST_ templateclass It.pdf
Solution#includestdio.h#includeconio.h#includealloc.h.pdf
Lecture 3 List of Data Structures & Algorithms
linked-list.ppt
#includeiostream #includecstdio #includecstdlib using na.pdf
Ad

More from hadpadrrajeshh (20)

PDF
Given a newly created Binary Search Tree with the following numerica.pdf
PDF
Gather information on the following two disasters Space shuttle Ch.pdf
PDF
Determine the Laplace transform, F(s), of the following time signal..pdf
PDF
Describe the difference between a monitor and a semaphoreSolutio.pdf
PDF
A speedometer is a measuring instrument. What are the independent and.pdf
PDF
A recent study by the EPA has determined that the amount of contamin.pdf
PDF
choice one correct answerRocks containing iron, calcium, magnesium.pdf
PDF
1.write down the RTL for the SUBT instructions. 2.Draw a flowchart.pdf
PDF
Write a Java application that asks for an integer and returns its fac.pdf
PDF
Where should seaweeds and kelps be classified Give characteristics .pdf
PDF
What is the name of the connective tissue that divides the se.pdf
PDF
What is the current ratio of Chester Use the results of the Balance.pdf
PDF
What is glass-transition temperature Give a material example. How ma.pdf
PDF
What are some contributions to the development of industrializat.pdf
PDF
The “creative revolution” that handed more authority to agency art d.pdf
PDF
The three main coefficients (not properties or dimensionless numbers).pdf
PDF
The project will study the coordination of multiple threads using se.pdf
PDF
The positive selection process for T lymphocytes that occurs In the t.pdf
PDF
The local public health agency has received reports of an outbreak o.pdf
PDF
how are musical sounds produced Explain your reasoning.Solution.pdf
Given a newly created Binary Search Tree with the following numerica.pdf
Gather information on the following two disasters Space shuttle Ch.pdf
Determine the Laplace transform, F(s), of the following time signal..pdf
Describe the difference between a monitor and a semaphoreSolutio.pdf
A speedometer is a measuring instrument. What are the independent and.pdf
A recent study by the EPA has determined that the amount of contamin.pdf
choice one correct answerRocks containing iron, calcium, magnesium.pdf
1.write down the RTL for the SUBT instructions. 2.Draw a flowchart.pdf
Write a Java application that asks for an integer and returns its fac.pdf
Where should seaweeds and kelps be classified Give characteristics .pdf
What is the name of the connective tissue that divides the se.pdf
What is the current ratio of Chester Use the results of the Balance.pdf
What is glass-transition temperature Give a material example. How ma.pdf
What are some contributions to the development of industrializat.pdf
The “creative revolution” that handed more authority to agency art d.pdf
The three main coefficients (not properties or dimensionless numbers).pdf
The project will study the coordination of multiple threads using se.pdf
The positive selection process for T lymphocytes that occurs In the t.pdf
The local public health agency has received reports of an outbreak o.pdf
how are musical sounds produced Explain your reasoning.Solution.pdf
Ad

Recently uploaded (20)

PDF
Classroom Observation Tools for Teachers
PPTX
1st Inaugural Professorial Lecture held on 19th February 2020 (Governance and...
PDF
grade 11-chemistry_fetena_net_5883.pdf teacher guide for all student
PDF
Module 4: Burden of Disease Tutorial Slides S2 2025
PDF
Chapter 2 Heredity, Prenatal Development, and Birth.pdf
PDF
Basic Mud Logging Guide for educational purpose
PPTX
Cell Structure & Organelles in detailed.
PDF
RMMM.pdf make it easy to upload and study
PPTX
Institutional Correction lecture only . . .
PDF
BÀI TẬP BỔ TRỢ 4 KỸ NĂNG TIẾNG ANH 9 GLOBAL SUCCESS - CẢ NĂM - BÁM SÁT FORM Đ...
PPTX
Pharma ospi slides which help in ospi learning
PDF
FourierSeries-QuestionsWithAnswers(Part-A).pdf
PDF
Pre independence Education in Inndia.pdf
PDF
Abdominal Access Techniques with Prof. Dr. R K Mishra
PPTX
Cell Types and Its function , kingdom of life
PDF
102 student loan defaulters named and shamed – Is someone you know on the list?
PDF
3rd Neelam Sanjeevareddy Memorial Lecture.pdf
PDF
Sports Quiz easy sports quiz sports quiz
PDF
Saundersa Comprehensive Review for the NCLEX-RN Examination.pdf
PDF
Computing-Curriculum for Schools in Ghana
Classroom Observation Tools for Teachers
1st Inaugural Professorial Lecture held on 19th February 2020 (Governance and...
grade 11-chemistry_fetena_net_5883.pdf teacher guide for all student
Module 4: Burden of Disease Tutorial Slides S2 2025
Chapter 2 Heredity, Prenatal Development, and Birth.pdf
Basic Mud Logging Guide for educational purpose
Cell Structure & Organelles in detailed.
RMMM.pdf make it easy to upload and study
Institutional Correction lecture only . . .
BÀI TẬP BỔ TRỢ 4 KỸ NĂNG TIẾNG ANH 9 GLOBAL SUCCESS - CẢ NĂM - BÁM SÁT FORM Đ...
Pharma ospi slides which help in ospi learning
FourierSeries-QuestionsWithAnswers(Part-A).pdf
Pre independence Education in Inndia.pdf
Abdominal Access Techniques with Prof. Dr. R K Mishra
Cell Types and Its function , kingdom of life
102 student loan defaulters named and shamed – Is someone you know on the list?
3rd Neelam Sanjeevareddy Memorial Lecture.pdf
Sports Quiz easy sports quiz sports quiz
Saundersa Comprehensive Review for the NCLEX-RN Examination.pdf
Computing-Curriculum for Schools in Ghana

Create a link list. Add some nodes to it, search and delete nodes fro.pdf

  • 1. Create a link list. Add some nodes to it, search and delete nodes from it. Solution #include #include using std::cout; using std::endl; /* A linked list is a list constructed using pointers. It is not fixed in size and could grow and shrink while the program is running. A typical defination of list nodes contains at least two parts, both the content or date of each element and the pointer to the next element, which is shown in the figure below. +---------+ | Data | -----> holds the data of this element in the list. +---------+ | pointer | -----> is a pointer to the next element in the list. +---------+ ***Attention***: The pointer holds the address of the next element, not the address of the data in the next element, even though they are the same in value sometimes. And It should be set to NULL while acting as the last node of the list. Implementation of the single linked list: +---------+ --->+---------+ --->+---------+ | Data | | | Data | | | Data | +---------+ | +---------+ | +---------+ | pointer |----- | pointer |----- | pointer | +---------+ +---------+ +---------+ */
  • 2. /* definition of the list node class */ class Node { friend class LinkedList; private: int _value; /* data, can be any data type, but use integer for easiness */ Node *_pNext; /* pointer to the next node */ public: /* Constructors with No Arguments */ Node(void) : _pNext(NULL) { } /* Constructors with a given value */ Node(int val) : _value(val), _pNext(NULL) { } /* Constructors with a given value and a link of the next node */ Node(int val, Node* next) : _value(val), _pNext(next) {} /* Getters */ int getValue(void) { return _value; } Node* getNext(void) { return _pNext; } }; /* definition of the linked list class */ class LinkedList { private:
  • 3. /* pointer of head node */ Node *_pHead; /* pointer of tail node */ Node *_pTail; public: /* Constructors with No Arguments */ LinkedList(void); /* Constructors with a given value of a list node */ LinkedList(int val); /* Destructor */ ~LinkedList(void); /* Function to add a node at the head of a linked list */ void headInsert(int val); /* Function to add a node in the middle of a linked list */ void insertAfter(Node* afterMe, int val); /* Function to append a node to the end of a linked list */ void tailAppend(int val); /* Function to get the node in the specific position */ Node* getNode(int pos); /* Traversing the list and printing the value of each node */ void traverse_and_print(); }; LinkedList::LinkedList() { /* Initialize the head and tail node */ _pHead = _pTail = NULL; } LinkedList::LinkedList(int val) { /* Create a new node, acting as both the head and tail node */ _pHead = new Node(val); _pTail = _pHead;
  • 4. } LinkedList::~LinkedList() { /* * Leave it empty temporarily. * It will be described in detail in the example "How to delete a linkedlist". */ } void LinkedList::headInsert(int val) { /* The list is empty? */ if (_pHead == NULL) { /* the same to create a new list with a given value */ _pTail = _pHead = new Node(val); } else { /* Create a new node and insert it before the head node */ Node *node = new Node(val); node->_pNext = _pHead; /* Update the head node */ _pHead = node; } } void LinkedList::insertAfter(Node* afterMe, int val) { if(afterMe != NULL) { /* The image of inserting a node like the figures below before inserting: +---------+ --->---------+ --->+---------+ | afterMe | | | Node(a) | | | others | +---------+ | +---------+ | +---------+ | next |----- | next |----- | NULL | +---------+ +---------+ +---------+ after inserting:
  • 5. (1) +---------+ --->+---------+ --->+---------+ --->+---------+ | afterMe | (3)| | New Node| (2)| | Node(a) | | | others | +---------+ | +---------+ | +---------+ | +---------+ | next |----- | next |----- | next |----- | NULL | +---------+ +---------+ +---------+ +---------+ * There are three steps to insert a node into a list * Step(1): shown as (1) in the figure above Create a new node to be inserted * Step(2): Make the "next" pointer of the New Node point to the Node(a) * Step(3): Make the "next" pointer of the afterMe node point to the New Node */ afterMe->_pNext = new Node(val, afterMe->_pNext); } } void LinkedList::tailAppend(int val) { /* The list is empty? */ if (_pHead == NULL) { /* the same to create a new list with a given value */ _pTail = _pHead = new Node(val); } else { /* Append the new node to the tail */ _pTail->_pNext = new Node(val); /* Update the tail pointer */ _pTail = _pTail->_pNext; } } Node* LinkedList::getNode(int pos) { Node* p = _pHead;
  • 6. /* Counter */ while (pos--) { if (p != NULL) p = p->_pNext; else return NULL; } return p; } void LinkedList::traverse_and_print() { Node *p = _pHead; /* The list is empty? */ if (_pHead == NULL) { cout << "The list is empty" << endl; return; } cout << "LinkedList: "; /* A basic way of traversing a linked list */ while (p != NULL) { /* while there are some more nodes left */ /* output the value */ cout << p->_value << " "; /* The pointer moves along to the next one */ p = p->_pNext; } cout << endl; } int main(int argc, const char * argv[]) { /* Create a list with only one node */ LinkedList list(1); cout << "Create a list with only one node" << endl; /* output the result */ list.traverse_and_print();
  • 7. /* Add a node with value 2 at the head of the list */ list.headInsert(2); cout << "Add a node with value 2 at the head of the list" << endl; /* output the result */ list.traverse_and_print(); /* Append a node with value 3 to the end of the list */ list.tailAppend(3); cout << "Append a node with value 3 to the end of the list" << endl; /* output the result */ list.traverse_and_print(); /* Insert a node with value 4 after the first node of the list */ list.insertAfter(list.getNode(0), 4); cout << "Insert a node with value 4 after the first node of the list" << endl; /* output the result */ list.traverse_and_print(); return 0; }