Computer >> 컴퓨터 >  >> 프로그램 작성 >> C#

C# Linked List에서 주어진 노드 뒤에 노드를 추가하는 프로그램


LinkedList를 설정하고 요소를 추가합니다.

string [] students = {"Beth","Jennifer","Amy","Vera"};
LinkedList<string> list = new LinkedList<string>(students);

먼저 끝에 새 노드를 추가합니다.

var newNode = list.AddLast("Emma");

이제 AddAfter() 메서드를 사용하여 지정된 노드 뒤에 노드를 추가합니다.

list.AddAfter(newNode, "Matt");

다음은 전체 코드입니다.

예시

using System;
using System.Collections.Generic;
class Demo {
   static void Main() {
      string [] students = {"Beth","Jennifer","Amy","Vera"};
      LinkedList<string> list = new LinkedList<string>(students);
      foreach (var stu in list) {
         Console.WriteLine(stu);
      }

      // adding a node at the end
      var newNode = list.AddLast("Emma");

      // adding a new node after the node added above
      list.AddAfter(newNode, "Matt");

      Console.WriteLine("LinkedList after adding new nodes...");
      foreach (var stu in list) {
         Console.WriteLine(stu);
      }
   }
}

출력

Beth
Jennifer
Amy
Vera
LinkedList after adding new nodes...
Beth
Jennifer
Amy
Vera
Emma
Matt