학원 22일차 - Java

·2021년 4월 27일
0

2021.04.27

Stack, Queue

stack, 스택

  • 후입선출

  • LIFO, Last Input First Output

  • 메모리 영역, 히스토리

public class Ex67_Stack {

	public static void main(String[] args) {
		//스택, Stack
		//       ========================
		// <->   노랑    파랑    빨강  ||
		//       ========================
		Stack<String> stack = new Stack<String>();
		
		//요소추가
		stack.push("빨강");
		stack.push("파랑");
		stack.push("노랑");
		
		
		//요소 개수
		System.out.println(stack.size()); //3
		
		
		//요소 읽기(+ 삭제)
		//요소를 꺼내는 메소드
		System.out.println(stack.pop()); //노랑 -> 가장 마지막에 넣은 것 
		System.out.println(stack.size()); //2
		
		System.out.println(stack.pop());
		System.out.println(stack.size());
		
		System.out.println(stack.pop());
		System.out.println(stack.size());
		
		//System.out.println(stack.pop()); 더이상 값이 없어서 에러
		
		
		//루프
		 while(stack.size() > 0) {
			 System.out.println(stack.pop());
			 System.out.println(stack.size());
		 }
		
		 
		 //비어있는지 확인 후 비어질 때까지 루프.
		 while(!stack.isEmpty()) {
			 System.out.println(stack.pop());
			 System.out.println(stack.size());
		 }
		
		//꺼내지는 않고 쳐다만 본 것.(사전 점검. 끝에 있는 것만 볼 수 있음. 꺼내는 것 아님.)
		System.out.println(stack.peek()); //노랑
		System.out.println(stack.size()); //3
		
		System.out.println(stack.peek()); //노랑
		System.out.println(stack.size()); //3
		
		System.out.println(stack.peek()); //노랑
		System.out.println(stack.size()); //3
    }
}

Queue,큐

  • 선입선출
  • FIFO , First Input First Output
  • 줄서기
public class Ex67_Stack {

	public static void main(String[] args) {
        
        //Queue,큐
		//       ========================
		//  ->     노랑    파랑     빨강    ->
		//       ========================
		
		//Queue<String> queue = new Queue<String>(); 인터페이스기때문에 객체 생성불가
		Queue<String> queue = new LinkedList<String>();
		
		
		//요소추가
		// - Enqueue
		queue.add("빨강");
		queue.add("파랑");
		queue.add("노랑");
		
		System.out.println(queue.size());
		
		//요소 읽기(+삭제)
		// - Dequeue
		System.out.println(queue.poll());
		System.out.println(queue.size());
		
		System.out.println(queue.poll());
		System.out.println(queue.size());
		
		System.out.println(queue.poll());
		System.out.println(queue.size());
		
		
		queue.add("빨강");
		queue.add("파랑");
		queue.add("노랑");
		
		
		//꺼내지 않고 구경만.
		System.out.println(queue.peek());
		System.out.println(queue.size());
		
		
		//루프
		while (queue.size() > 0) {
			System.out.println(queue.poll());
		}
		
    }
}

Queue - Q26 문제 풀이

public class Ex68_Queue {

    public static void main(String[] args) {

        MyQueue queue = new MyQueue();

        System.out.println(queue);

        queue.add("빨강");
        System.out.println(queue);

        queue.add("파랑");
        System.out.println(queue);

        System.out.println(queue.poll());
        System.out.println(queue);


    }//main

}

class MyQueue {

    private String[] list;
    private int index;

    public MyQueue() {
        this.list = new String[8];
        this.index = 0;
    }

    @Override
    public String toString() {

        return String.format("length: %d\nindex: %d\n%s\n"
                             , this.list.length
                             , this.index
                             , Arrays.toString(this.list));
    }


    public void add(String value) {

        doubling();

        this.list[this.index] = value;
        this.index++;


    }

    private void doubling() {
        //배열 2배로 만드는 메소드

    }


    //데이터 꺼내기 
    public String poll() {

        //부정 전처리 - 잘못된 상황을 먼저 발견해서 업무 중지
        if(this.index == 0) {
            return null;
        }

        String temp = this.list[0]; //첫번째 공

        //왼쪽 시프트
        for(int i=0; i<this.index-1; i++) {
            this.list[i] = this.list[i+1];

        }

        this.index --;

        return temp;
    }


    public int size() {
        return this.index;
    }

    public String peek() {
        return this.list[0];
    }


    public void clear () {
        this.index = 0;
    }

파일 & 디렉토리 조작

특정 파일 정보 얻어오기
public class Ex69_File {

	public static void main(String[] args) {
        
        //특정 파일 정보 얻어오기
		// - C:\class\java\m1.txt
		
		//외부 파일 접근 > 파일에 대한 참조 객체(대리인) 생성 > 참조 객체 조작 > 외부 파일 조작
		
		//경로
		String path = "C:\\class\\java\\m1.txt";
		
		//참조 객체 생성
		File file = new File(path); //path는 실제로 있는 파일? 없는 파일? -> 상관없이 객체가 만들어진다.
		
		
		System.out.println(file.exists()); //true -> 해당 경로의 파일이 실제로 존재합니까?
		
		
		if(file.exists()) {
			
			System.out.println("파일이 존재합니다.");
			System.out.println();
			
			
			//업무 진행
			//파일 정보 가져오기
			System.out.println(file.getName()); //m1.txt -> 파일명(***)
			System.out.println(file.isFile()); //true -> 파일이니? (***)
			System.out.println(file.isDirectory()); //false -> 폴더니? (***)
			System.out.println(file.length());//26 -> 파일 크기(바이트)
			System.out.println(file.getPath()); //경로
			System.out.println(file.getAbsolutePath()); //경로
			
			//-----------------------------------------------------------
			
			//Tick -> Calendar 
			Calendar c = Calendar.getInstance();
			c.setTimeInMillis(1619499979576L);
			
			System.out.printf("%tF %tT\n", c, c);
			
			System.out.println(file.lastModified()); //1619499979576 -> 마지막에(최종) 수정한 시간(Tick)
			
			//파일의 특성
			System.out.println(file.canRead()); //true -> 읽기 전용 권한
			System.out.println(file.canWrite()); //true -> 쓰기 전용 권한
			System.out.println(file.isHidden()); //false -> 숨김 파일인지
			

			
		} else {
			System.out.println("파일이 존재하지 않습니다.");
		}
    }
}
특정 폴더 정보 얻어오기
public class Ex69_File {

	public static void main(String[] args) {
        
        //운영체제
		// - 파일, 폴더 = 동일한 객체
		// - 폴더는 파일의 한 종류
		// - 폴더는 공간이 아니다.(****)
		
		
		//특정 폴더 정보 얻어오기
		// - C:\class\java
		
		//경로
		String path = "C:\\class\\java";
		
		//참조 객체 생성
		File dir = new File(path);
		
		
		if(dir.exists()) {
			
			//업무 진행
			//파일 정보 가져오기
			System.out.println(dir.getName()); //java -> 폴더명
			System.out.println(dir.isFile()); //flase -> 파일이니? (***)
			System.out.println(dir.isDirectory()); //true -> 폴더니? (***)
			
			//System.out.println(dir.length());//폴더는 크기가 중요하지 않다(0B) -> 쓸 데가 없음
			//모든 파일의 크기를 더하면 폴더의 크기가 된다.
			
			System.out.println(dir.getPath()); //경로
			System.out.println(dir.getAbsolutePath()); //경로
			
			//-------------------------------------------------------------------
			
			System.out.println(dir.lastModified()); //1619499964867 -> 마지막에(최종) 수정한 시간(Tick)
			System.out.println(dir.canRead()); //true -> 읽기 전용 권한
			System.out.println(dir.canWrite()); //true -> 쓰기 전용 권한
			System.out.println(dir.isHidden()); //false -> 숨김 파일인지
			
		} else {
			System.out.println("파일이 존재하지 않습니다.");
		}
    }
}

파일 조작

파일 이동
public class Ex69_File {

	public static void main(String[] args) {
        
        //파일 조작
		// - 생성(x), 이동, 이름 바꾸기, 복사(x), 삭제
		
		//C:\class\java\file 
		//C:\class\java\file\AAA 폴더 생성
		//C:\class\java\file\AAA\m3.txt 파일 생성
		//C:\class\java\file\BBB 폴더 생성
		
		//파일 이동 (m3.txt)
		//AAA -> (이동) -> BBB
		
		//이동할 파일 참조객체
		String path = "C:\\class\\java\\file\\AAA\\m3.txt";
		File file = new File(path);
		
		//이동이 끝난 뒤에 모습을 참조할 객체
		String path2 = "C:\\class\\java\\file\\BBB\\m3.txt";
		File file2 = new File(path2);
		
		if(file.exists()) {
			
			//이동하기
			// - true : 성공
			// - false : 실패 (같은 이름의 파일이 있는 경우)
			
			if(file2.exists()) {
				
				System.out.println("이미 동일한 파일이 존재합니다.");
				
				//추가 업무
				// ?판단 1. 덮어쓰기 2. 그만두기
				// 1. 가존 파일 삭제 -> 이동하기
				// 2. X
				
			} else {
				
				//이동하기
				boolean result = file.renameTo(file2);
				System.out.println(result);
				
			}
	
			System.out.println("완료");

		}
    }
}
파일 조작
public class Ex69_File {

	public static void main(String[] args) {
        
        //파일 조작
		// - 이름 바꾸기
		//C:\class\java\file\AAA\m3.txt
		//m3.txt -> (이름바꾸기) -> m4.txt
		
		//원본
		String path = "C:\\class\\java\\file\\AAA\\m3.txt";
		File file = new File(path);
		
		//적용되고 난 후
		String path2 = "C:\\class\\java\\file\\AAA\\m4.txt";
		
		//이름 바꾸고 폴더 이동.
		//String path2 = "C:\\class\\java\\file\\BBB\\m4.txt";
		File file2 = new File(path2);
		
		if(file.exists()) {
			
			//파일명 바꾸기
			file.renameTo(file2);
			
			System.out.println("완료");
			
		}
    }
}
파일 삭제
public class Ex69_File {

	public static void main(String[] args) {
        
        // 파일 삭제
		String path = "C:\\class\\java\\file\\BBB\\m3.txt";
		File file = new File(path);
		
		if(file.exists()) {
			
			//*** 진짜 삭제(휴지통 X)
			// - 복구 불가능
			System.out.println(file.delete());
			
			
		}
    }
}
profile
모르면 괴롭고 알면 즐겁다.

0개의 댓글

관련 채용 정보