// x가 index 다음에 삽입되도록
// 예시 ) 숫자 3이 2번 인덱스의 노드 이후에 연결되도록
void pushMiddle(int x,int index){
Node newNode = new Node(x);
Node temp =this;
int count = 0;
while(temp.next!=null) {
temp = temp.next;
count++;
if (count == index) {
break;
}
}
Node temp2=temp.next;
temp.next=newNode;
newNode.next=temp2;
}
void insert(int x){
Node newNode = new Node(x);
Node temp = this;
while(temp.next!=null){
temp=temp.next;
}
temp.next=newNode;
}
void delete(int x){
Node temp = this;
while(temp.next!=null){
if(temp.next.data==x){
temp.next=temp.next.next;
}else{
temp=temp.next;
}
}
}
좀 다르게 구현하긴 했는데 뭐..
Boolean search(int x){
Node temp = this;
while(temp.next!=null){
if(temp.next.data==x){
return true;
}else{
temp=temp.next;
}
}
return false;
}
JAVA 전체코드
public class Main {
static class Node{
int data;
Node next=null;
Node(int x){
this.data=x;
}
void pushMiddle(int x,int index){
Node newNode = new Node(x);
Node temp =this;
int count = 0;
while(temp.next!=null) {
temp = temp.next;
count++;
if (count == index) {
break;
}
}
Node temp2=temp.next;
temp.next=newNode;
newNode.next=temp2;
}
void push(int x){
Node newNode = new Node(x);
Node temp = this;
while(temp.next!=null){
temp=temp.next;
}
temp.next=newNode;
}
void delete(int x){
Node temp = this;
while(temp.next!=null){
if(temp.next.data==x){
temp.next=temp.next.next;
}else{
temp=temp.next;
}
}
}
Boolean search(int x){
Node temp = this;
while(temp.next!=null){
if(temp.next.data==x){
return true;
}else{
temp=temp.next;
}
}
return false;
}
void print(){
Node point = this;
while(point.next!=null){
System.out.print(point.data+"=>");
point=point.next;
}
System.out.println(point.data);
}
}
public static void main(String[] args){
Node head = new Node(1);
head.push(10);
head.push(73);
head.push(8);
head.push(11);
System.out.println(head.search(7));
head.pushMiddle(99,3);
head.print();
}
}