연습문제 정답

Size: px
Start display at page:

Download "연습문제 정답"

Transcription

1 class HelloJava { System.out.println(" 안녕하세요, 자바"); 안녕하세요, 자바 int table[][] = { { 1, 2, 3, 4, { 5, 6, 7, 8, { 9, 10, 11, 12 ; System.out.println(table.length); 3 int num = 3; if (num == 1) System.out.println("Good Morning, Java"); else if (num == 2) System.out.println("Good Afternoon, Java"); else if (num == 3) else System.out.println("Good Evening, Java"); System.out.println("Hello, Java"); System.out.println("Done.");

2 Good Evening, Java Done. 배열의 3번째항목인덱스는 2 이고, 7번째항목인덱스는 6 입니다. 그러므로다음과같이프로그램을 작성하면됩니다. int arr[] = { 2, 4, 6, 8, 10, 12, 14, 16, 18, 20 ; int total = 0; for (int cnt = 2; cnt < 7; cnt++) total += arr[cnt]; System.out.println(total); 50 int arr[] = { 435, 88, 67, 32, 88, -1, 6, 12, 7, 8, 45, 11 ; for (int cnt = 2; cnt < 7; cnt++) { if (arr[cnt] == -1) break; System.out.println(arr[cnt]);

3 int total = 0; for (String str : args) { int num = Integer.parseInt(str); total += num; System.out.println(total); int total = 0; for (String str : args) { int num = Integer.parseInt(str); total += num; System.out.println(total); catch (java.lang.numberformatexception e) { System.out.println(" 명령행파라미터로는정수만입력할수있습니다.");

4 -37의내부표현을출력하는프로그램 class Answer1 { public static void main (String args[]) { String str; str = Integer.toBinaryString(-37); System.out.println(str); 의내부표현을출력하는프로그램 class Answer2 { public static void main (String args[]) { String str; str = Integer.toBinaryString(-5); System.out.println(str); -5의내부표현을출력하는프로그램 public static void main (String args[]) { double num1 = , num2 = ; long num3 = Double.doubleToRawLongBits(num1);

5 long num4 = Double.doubleToRawLongBits(num2); String str1 = Long.toBinaryString(num3); String str2 = Long.toBinaryString(num3); System.out.println(str1); System.out.println(str2); public static void main (String args[]) { for (char ch = 12593; ch < 12687; ch++) System.out.println(ch); ㄱ부터 까지의한글자음, 모음이출력되는데, 이문자들을 Unicode 홈페이지의 12593(313116) 부터 12686(318E 16 ) 에해당하는문자들과비교하면해당문자들과일치함을확인할수있습니다.

6 class SignExample1 { [ 컴파일결과] short num1 = 100; short num2 = + num1; System.out.println(num2); class ConditionalOrExample1 { int num1 = 0, num2 = 0; if (++num1 > 0 ++num2 > 0) System.out.println("num1이 0보다크거나 num2가 0 보다큽니다."); System.out.println("num1 = " + num1); System.out.println("num2 = " + num2); num1이 0보다크거나 num2가 0 보다큽니다. num1 = 1 num2 = 1

7 StringBuffer obj; // obj = new StringBuffer("Hey, Java"); // obj.replace(1, 3, "i"); // System.out.println(obj); 객체를담을변수선언 객체를생성해서변수에대입 객체의메서드호출 Hi, Java GoodsStock obj; obj = new GoodsStock(); obj.goodscode = "52135"; obj.stocknum = 200; System.out.println(" 상품코드:" + obj.goodscode); System.out.println(" 재고수량:" + obj.stocknum); obj.addstock(1000); System.out.println(" 상품코드:" + obj.goodscode); System.out.println(" 재고수량:" + obj.stocknum); obj.subtractstock(1); System.out.println(" 상품코드:" + obj.goodscode); System.out.println(" 재고수량:" + obj.stocknum); 상품코드 :52135 재고수량 :200 상품코드 :52135 재고수량 :1200 상품코드 :52135 재고수량 :1199 // 재고정보클래스 class GoodsStock { String goodscode; int stocknum; GoodsStock(String code, int num) {

8 // goodscode = code; if (num < 0) else stocknum = 0; stocknum = num; void addstock(int amount) { stocknum += amount; int subtractstock(int amount) { if (stocknum < amount) return 0; stocknum -= amount; return amount; 재고정보클래스의객체를생성해서필드값을출력하는프로그램 GoodsStock obj; obj = new GoodsStock("12345", -50); System.out.println(" 상품코드:" + obj.goodscode); System.out.println(" 재고수량:" + obj.stocknum); 상품코드 :12345 재고수량 :0 Account obj1 = new Account(" ", " 연놀부", ); System.out.println(obj1.balance); Account obj2 = new Account(" ", " 연흥부", ); System.out.println(obj2.balance); catch (Exception e) { String msg = e.getmessage(); System.out.println(msg);

9 * Account 객체를생성하는명령문을 try 됩니다. 문만두기만하면프로그램은위와다른방식으로작성해도 객체를생성할수없습니다. Account 클래스([ 예제 6-1]), CheckingAccount 클래스([ 예제 6-4]) 와함께실행했을때와똑같은결 과가나옵니다. 지불액 :47000 잔액 :53000 [ 컴파일결과] 다음과같이정상적으로컴파일됩니다. 하나의배열을두개의배열변수에대입해도배열자체는하나이기때문에 꾼두번째배열항목의값을다음과같이 arr2 arr1 변수를가지고출력해서볼수있습니다. 변수를이용해서바

10 class ArrayVarTest2 { int arr[] = { 1, 2, 3, 4, 5 ; printarray(arr); arr = null; printarray(arr); static void printarray(int arr[]) { if (arr == null) return; for (int num : arr) System.out.println(num); enum Day { MONDAY(" 월"), TUESDAY(" 화"), WEDNESDAY(" 수"), THURSDAY(" 목"), FRIDAY(" 금"), SATURDAY(" 토 "), SUNDAY(" 일"); final private String name; Day(String name) { this.name = name; String value() { return name; import geometry.shape.square; Square obj = new Square(100, 200, 15); System.out.println("(" + obj.getx(0) + ", " + obj.gety(0) + ")"); System.out.println("(" + obj.getx(1) + ", " + obj.gety(1) + ")");

11 (100, 200) (115, 200) (115, 215) (100, 215) System.out.println("(" + obj.getx(2) + ", " + obj.gety(2) + ")"); System.out.println("(" + obj.getx(3) + ", " + obj.gety(3) + ")"); 뇌를자극하는 C 뇌를자극하는하드웨어 뇌를자극하는하드웨어입문 이결과를통해알수있는것은 replace, concat 메소드를이용하여문자열을조작해도원래 String 객체가가지고있던문자열의내용은바뀌지않는다는것입니다. 382 페이지의본문에서이야기하고 있듯이이두메소드는 String 객체가가지고있는문자열의내용을바꾸는것이아니라, 바뀐내용 을갖는새로운 String 객체를생성하기때문입니다 어떤돌이내얼굴을물끄러미쳐다보는것만 어떤꽃이내얼굴을물끄러미치어다보는것만 만것는보다어치미러끄물을굴얼내이꽃떤어 import java.util.stringtokenizer;

12 StringTokenizer stok = new StringTokenizer(" 고슴도치, 앵무새 토끼", ", "); while (stok.hasmoretokens()) { 고슴도치 앵무새 토끼 String str = stok.nexttoken(); System.out.println(str); import java.util.*; import java.text.*; GregorianCalendar calendar = new GregorianCalendar(); printdatetime(calendar, " 뉴욕", "America/New_York"); printdatetime(calendar, " 홍콩", "Asia/Hong_Kong"); printdatetime(calendar, " 파리", "Europe/Paris"); static void printdatetime(gregoriancalendar calendar, String location, String timezone) { SimpleDateFormat dateformat = new SimpleDateFormat(" yyyy/mm/dd (E) aa hh:mm"); dateformat.settimezone(timezone.gettimezone(timezone)); String str = dateformat.format(calendar.gettime()); System.out.println(location + str); 뉴욕 2006/09/14 ( 목) 오전 12:45 홍콩 2006/09/14 ( 목) 오후 12:45 파리 2006/09/14 ( 목) 오전 06:45 * 위결과는우리나라시간으로 2006년 9월 14일오후 1시 45분에이프로그램을실행했을때의결과 입니다. import java.util.*;

13 Random random = new Random(); int headnum = 0; for (int cnt = 0; cnt < 100; cnt ++) { boolean ishead = random.nextboolean(); if (ishead) headnum++; System.out.println(" 앞면: " + headnum); System.out.println(" 뒷면: " + (100 - headnum)); 이프로그램을실행할때마다다른결과가나옵니다. 그러니까독자여러분의컴퓨터에서이프로그램을실행했을때는위와다른결과가나올수있습니다. import java.io.*; FileReader reader = null; reader = new FileReader("poem.txt"); while (true) { char arr[] = new char[80]; int num = reader.read(arr); if (num < 0) break; System.out.print(new String(arr)); catch (FileNotFoundException fnfe) { System.out.println(" 파일이존재하지않습니다.");

14 catch (IOException ioe) { System.out.println(" 파일을읽을수없습니다."); finally { reader.close(); catch (Exception e) { * 이프로그램의실행결과는 [ 예제 10-3] 과동일합니다. (p.436 [ 그림 10-5] 참조) FileDump 프로그램([ 예제 10-6]) 을작성했던디렉토리에서다음과같이실행하면됩니다. 또는 [ 예제 10-7] 의결과물인 output.dat 파일이있는디렉토리에서다음과같이실행해도됩니다. ( 부록참조) import java.io.*;

15 import java.util.stringtokenizer; System.out.println("*** 프로그램시작 ***"); ObjectOutputStream out = null; out = new ObjectOutputStream(new FileOutputStream("output.dat")); System.out.println(" 파일을열었습니다."); out.writeobject(new StringTokenizer(" 사과 딸기 배", " ")); System.out.println(" 파일로 StringTokenizer 객체를출력했습니다."); catch (IOException ioe) { System.out.println(" 파일로출력할수없습니다."); finally { out.close(); System.out.println(" 파일을닫았습니다."); catch (Exception e) { System.out.println("*** 프로그램끝 ***"); * 프로그램의어느곳에서에러가발생하는지알기위해일시적으로써놓은명령문은위에서처럼들 여쓰기를하지않고첫번째컬럼부터써두면, 나중에찾아서제거할때편리합니다. 이실행결과를통해알수있는것은 파일을열었습니다. 라는메시지를출력하는명령문과 파일 로 StringTokenizer 객체를출력했습니다." 라는메시지를출력하는명령문사이에서에러가발생하여 catch 블록으로프로그램실행흐름의제어가넘어갔다는것입니다. 두메시지출력명령문사이에 있는명령문은 다. writeobject 메소드호출문이므로그부분에서에러가발생했다는것을알수있습니

16 // 주간주가추이를파일에저장하는프로그램 import java.io.*; import java.util.gregoriancalendar; class Answer1 { // ObjectOutputStream out = null; out = new ObjectOutputStream(new FileOutputStream("output.dat")); out.writeobject(new GregorianCalendar(2006, 3, 10)); out.writefloat( f); out.writeobject(new GregorianCalendar(2006, 3, 11)); out.writefloat( f); out.writeobject(new GregorianCalendar(2006, 3, 12)); out.writefloat( f); out.writeobject(new GregorianCalendar(2006, 3, 13)); out.writefloat( f); out.writeobject(new GregorianCalendar(2006, 3, 14)); out.writefloat( f); catch (IOException ioe) { System.out.println(" 파일로출력할수없습니다."); finally { out.close(); catch (Exception e) { 주간주가추이를파일로부터읽어오는프로그램 import java.io.*; import java.util.gregoriancalendar; import java.util.calendar; class Answer2 { ObjectInputStream in = null; in = new ObjectInputStream(new FileInputStream("output.dat")); while (true) { GregorianCalendar calendar = (GregorianCalendar) in.readobject(); int year = calendar.get(calendar.year); int month = calendar.get(calendar.month) + 1; int date = calendar.get(calendar.date);

17 float kospi = in.readfloat(); System.out.println(year + "/" + month + "/" + date + " " + kospi); catch (FileNotFoundException fnfe) { System.out.println(" 파일이존재하지않습니다."); catch (EOFException ioe) { System.out.println(" 끝"); catch (IOException ioe) { System.out.println(" 파일을읽을수없습니다."); catch (ClassNotFoundException cnfe) { System.out.println(" 해당클래스가존재하지않습니다."); finally { in.close(); catch (Exception e) { 주간주가추이를파일에저장하는프로그램(Answer1) 을실행하면 output.dat 파일이생성되고, 주간 주가추이를파일로부터읽어오는프로그램(Answer2) 을실행하면그파일에있는데이터가다음과같 이출력됩니다. import java.io.*; class ReaderExample1 {

18 BufferedReader reader = null; reader = new BufferedReader(new FileReader("poem.txt")); while (true) { int data = reader.read(); if (data == -1) break; char ch = (char) data; System.out.print(ch); catch (FileNotFoundException fnfe) { System.out.println(" 파일이존재하지않습니다."); catch (IOException ioe) { System.out.println(" 파일을읽을수없습니다."); finally { reader.close(); catch (Exception e) { * 이프로그램의실행방법과실행결과는 [ 예제 10-3] 과동일합니다. (p.436 [ 그림 10-5] 참조) import java.io.*; class OutputStreamExample1 { BufferedOutputStream out = null; out = new BufferedOutputStream(new FileOutputStream("output.dat")); byte arr[] = { 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19 ; for (int cnt = 0; cnt < arr.length; cnt++) out.write(arr[cnt]); catch (IOException ioe) { System.out.println(" 파일로출력할수없습니다.");

19 finally { out.close(); catch (Exception e) { * 이프로그램의실행방법과실행결과는 [ 예제 10-5] 와동일합니다. (p.441 [ 그림 10-7] 참조) 복제가능클래스 Calendar GregorianCalendar TimeZone DataFormat SimpleDataFormat Date String StringBuilder StringBuffer StringTokenizer Math Random FileReader FileWriter FileInputStream FileOutputStream DataInputStream DataOutputStream 복제불가능클래스 ObjectInputStream ObjectOutputStream BufferedReader BufferedWriter BufferedInputStream BufferedOutputStream LineNumberReader PrintWriter PrintStream File class WrapperExample2 { int total = 0; for (int cnt = 0; cnt < args.length; cnt++) { Integer obj = new Integer(args[cnt]); total += obj.intvalue(); System.out.println(total); catch (NumberFormatException e) { System.out.println(" 잘못된숫자포맷입니다.");

20 import java.util.*; LinkedList<String> list = new LinkedList<String>(); list.add(" 머루"); list.add(" 사과"); list.add(" 앵두"); list.add(" 자두"); list.add(" 사과"); int index1 = list.indexof(" 사과"); int index2 = list.lastindexof(" 사과"); System.out.println(" 첫번째사과: " + index1); System.out.println(" 마지막사과: " + index2); 첫번째사과 : 1 마지막사과 : 4 먼저장바구니에들어가는상품항목클래스를다음과같이선언해야합니다. // 장바구니상품항목클래스 class CartItem { String code; // 상품코드 int num; // 수량 int price; // 단가

21 CartItem(String code, int num, int price) { this.code = code; this.num = num; this.price = price; 위와같이선언된클래스를타입파라미터로삼아서리스트를만들면그리스트를장바구니로사용할 수있습니다. 그런데인터넷쇼핌몰의장바구니에는추가와삭제가빈번히일어날수있으므로리스 트클래스로는 ArrayList 클래스보다 LinkedList 클래스를사욯하는것이더적합합니다. 다음은그 런식으로장바구니를만들어서항목을추가하고삭제하는예를보여주는프로그램입니다. // 장바구니를리스트자료구조로표현하는예를보여주는프로그램 import java.util.*; class ShoppingProgram { * CartItem 해도됩니다. LinkedList<CartItem> list = new LinkedList<CartItem>(); list.add(new CartItem("50001", 2, 2000)); // list.add(new CartItem("73505", 1, 7000)); // 장바구니에 세개의항목을 list.add(new CartItem("88012", 3, 25000)); // 추가합니다. list.remove(1); // 장바구니에서두번째항목을제거합니다. System.out.println(" 상품코드수량가격"); System.out.println(" "); for (CartItem item : list) System.out.printf("%5s %8d %8d %n", item.code, item.num, item.price); 클래스를이욯하여리스트를만드는것을보여주기만하면프로그램은위와다르게작성 상품코드수량가격 import java.util.*; LinkedList<Integer> stack = new LinkedList<Integer>(); stack.addfirst(new Integer(12)); stack.addfirst(new Integer(59));

22 stack.addfirst(new Integer(7)); while(!stack.isempty()) { Integer num = stack.removefirst(); System.out.println(num); 먼저전화번호와주소필드를갖는다음과같은클래스를선언해야합니다. // 연락처클래스 class ContactInfo { String phoneno; // 전화번호 String address; // 주소 ContactInfo(String phoneno, String address) { this.phoneno = phoneno; this.address = address; 그리고나서이름(String 타입) 을키로삼고, 위클래스의객체를데이터로삼는해쉬테이블을만들 어서사용하면됩니다. 다음은그런예를보여주는프로그램입니다. // 이름을검색하는프로그램 import java.util.hashmap; HashMap<String, ContactInfo> hashtable = new HashMap<String, ContactInfo>(); hashtable.put(" 홍길동", new ContactInfo(" 산속오두막", " ")); hashtable.put(" 연흥부", new ContactInfo(" 강남", " ")); hashtable.put(" 연놀부", new ContactInfo(" 청담동", " ")); ContactInfo obj = hashtable.get(" 연놀부"); System.out.println(" 연놀부의연락처"); System.out.println(" 전화번호: " + obj.phoneno); System.out.println(" 주소: " + obj.address);

23 연놀부의연락처 전화번호: 청담동 주소 : [ 컴파일결과] ContactInfo 라는이름의로컬이너클래스를포함한 [ 예제 16-13] 을컴파일해보면다음과같은두개 의클래스파일이생성됩니다. 이중에서 NestedClassExample7$1ContactInfo.class라는이름의파일이로컬이너클래스인 ContactInfo 에해당하는클래스파일인데, 이이름은인클로징클래스의이름뒤에 $ 와 1이라는숫자 를붙이고, 그뒤에로컬이너클래스의이름을붙이고,.class 라는확장자를붙인이름입니다. 로컬 이너클래스의이름이이렇게인클로징클래스와이너클래스이름외에숫자를포함하는이유는하 나의인클로징클래스안에똑같은이름의로컬이너클래스가여러개있을수있기때문입니다. 예 를들어 NestedClassExample7라는클래스안에 ContactInfo라는이름의로컬이너클래스가하나더 있다면, 그클래스의클래스파일은 NestedClassExample7$2ContactInfo.class라는이름으로생길것 입니다. [ 컴파일결과] [ 예제 16-7] 을컴파일하면다음과같이 NestedClassExample10.class라는이름의클래스파일과 NestedClassExample10$1.class 라는이름의클래스파일들이생성되는데이중에서후자가로컬이너 클래스의클래스파일입니다.

24 이름없는이너클래스의경우에는이렇게인클로징클래스이름뒤에 $ 와숫자를붙이고, 그뒤에.class 라는확장자를붙인이름으로클래스파일이생성됩니다. 이숫자는같은클래스안에이름없 는이너클래스가여러개있을경우이를구분하기위해붙여지는숫자입니다. [ 예제 17-22] 의두 Rectangle 클래스는 getarea 메소드가있고없고의차이는있지만버전번호가같 기때문에어느 Rectangle 클래스를가지고 [ 예제 17-22] 의직렬화프로그램을실행하든, 역직렬화 프로그램을실행하든에러없이의도했던결과가출력됩니다. // main 메소드를포함하는클래스 class MultithreadExample3 { Thread thread = new Thread(new SmallLetters()); // thread.start(); // 쓰레드를시작 char arr[] = { ' ᄀ', ' ᄂ', ' ᄃ', ' ᄅ', ' ᄆ', ' ᄇ', ' ᄉ', for (char ch : arr) { ' ᄋ', ' ᄌ', ' ᄎ', ' ᄏ', ' ᄐ', ' ᄑ', ' ᄒ' ; System.out.print(ch); Thread.sleep(500); catch (InterruptedException e) { // 영문소문자를출력하는클래스 System.out.println(e.getMessage()); 쓰레드를생성

25 class SmallLetters implements Runnable { public void run() { for (char ch = 'a'; ch <= 'z'; ch++) { System.out.print(ch); Thread.sleep(700); catch (InterruptedException e) { System.out.println(e.getMessage()); 위와같이수정된프로그램을실행하면 Thread.sleep 자음과영문소문자가좀더고르게섞여서출력됩니다. 메소드호출로벌어진시간간격으로인해한글 * 이프로그램은멀티스레드프로그램이기때문에독자여러분의컴퓨터에서이프로그램을실행했을 때는위와똑같은결과가나오지않을수도있습니다. import java.awt.*; import javax.swing.*; class WindowExample1 { public static void main(string[] args) { JFrame frame = new JFrame(" 헬로자바프로그램"); frame.setlocation(500, 400); frame.setpreferredsize(new Dimension(300, 200)); Container contentpane = frame.getcontentpane(); JLabel label = new JLabel(" 헬로, 자바", SwingConstants.CENTER); contentpane.add(label); frame.setdefaultcloseoperation(jframe.exit_on_close); frame.pack(); frame.setvisible(true); 다음과같은윈도우가모니터화면중앙에나타납니다.

26 윈도우의크기를늘이거나줄이면오른쪽버튼의폭과아래쪽라벨의높이를바뀌지않고, 는텍스트상자의크기는윈도우크기에따라서늘어들거나줄어듭니다. 중앙에있 // 윈도우로작동하는덧셈프로그램 import javax.swing.*; import java.awt.*; public static void main(string[] args) { JFrame frame = new JFrame(" 덧셈프로그램"); frame.setlocation(500, 400); Container contentpane = frame.getcontentpane(); JPanel pane1 = new JPanel();

27 // JPanel pane2 = new JPanel(); contentpane.add(pane1, BorderLayout.CENTER); contentpane.add(pane2, BorderLayout.SOUTH); pane1.setlayout(new FlowLayout()); JTextField text1 = new JTextField(5); JTextField text2 = new JTextField(5); JTextField text3 = new JTextField(5); pane1.add(text1); pane1.add(new JLabel("+")); pane1.add(text2); pane1.add(new JLabel("=")); pane1.add(text3); pane2.setlayout(new FlowLayout()); JButton button1 = new JButton(" 확인"); JButton button2 = new JButton(" 취소"); pane2.add(button1); pane2.add(button2); frame.setdefaultcloseoperation(jframe.exit_on_close); ConfirmButtonActionListener actionlistener1 = new ConfirmButtonActionListener(text1, text2, text3); CancelButtonActionListener actionlistener2 = new CancelButtonActionListener(text1, text2, text3); button1.addactionlistener(actionlistener1); button2.addactionlistener(actionlistener2); frame.pack(); frame.setvisible(true); 확인버튼을처리하는이벤트리스너크래스 import javax.swing.*; import java.awt.event.*; class ConfirmButtonActionListener implements ActionListener { JTextField text1, text2, text3; ConfirmButtonActionListener(JTextField text1, JTextField text2, JTextField text3) { this.text1 = text1; this.text2 = text2; this.text3 = text3; public void actionperformed(actionevent e) { int num1 = Integer.parseInt(text1.getText()); int num2 = Integer.parseInt(text2.getText()); int sum = num1 + num2; text3.settext(sum+"");

28 // 취소버튼을처리하는이벤트리스너크래스 import javax.swing.*; import java.awt.event.*; class CancelButtonActionListener implements ActionListener { JTextField text1, text2, text3; CancelButtonActionListener(JTextField text1, JTextField text2, JTextField text3) { this.text1 = text1; this.text2 = text2; this.text3 = text3; public void actionperformed(actionevent e) { text1.settext(""); text2.settext(""); text3.settext(""); * 이프로그램을좀더완벽하게만들려면세번째텍스트상자에키보드입력이안되도록만들어야 합니다. 그런일은이프로그램의 main 메소드에서윈도우를띄우는명령문전에다음과같은명령문 을써넣음으로써할수있습니다. text3.seteditable(false); 자동차그림이있는패널클래스만다음과같이수정하면됩니다. import javax.swing.*; import java.awt.*; class CarDrawingPanel extends JPanel { public void paint(graphics g) { g.setcolor(color.red); g.fillrect(100, 110, 200, 40); g.fillrect(150, 70, 100, 40); g.setcolor(color.black); g.filloval(125, 150, 30, 30); g.filloval(245, 150, 30, 30); g.drawline(50, 180, 350, 180);

29 [ 예제 19-11] 의 DrawingPanel의 paint 메소드마지막부분에 System.out.println("paint 메서드가호 출되었습니다."); 라는명령문을넣으면다음과같은일이일어날때마다 "paint 메서드가호출되었 습니다." 라는메시지가출력됩니다. - 윈도우가처음뜰때 - 그래프그리기버튼을눌렀을때 (repaint 메소드에의해간접적으로호출되는경우임) - 윈도우( 정확히말하면 DrawingPanel 부분) 의일부또는전부가가려졌다가다시나타날때 윈도우가아이콘화되었다가다시나타날때 윈도우가최대화될때 윈도우가최대화되었다가다시원래의크기로돌아올때 윈도우의크기를크게또는작게변경할때 mysql 프로그램을이용하여 malldb 데이터베이스로들어간후다음과같은 create 문과 insert 문을 이용하여테이블을생성하고데이터를입력하면됩니다.

30 데이터가올바르게입력되었는지는다음과같은 select 문을이용하여확인할수있습니다. 실형결과는다음과같습니다.

31 mysql 프로그램을이용하여문제의 select 문을실행하면다음과같은결과가출력됩니다. import java.sql.*; Connection conn = null; Statement stmt = null; Class.forName("com.mysql.jdbc.Driver");

32 conn = DriverManager.getConnection("jdbc:mysql://localhost:3306/malldb", stmt = conn.createstatement(); ResultSet rs = stmt.executequery( "root", ""); "select goodsinfo.code, name, num from goodsinfo, stockinfo " + "where goodsinfo.code = stockinfo.code;"); System.out.println(" 상품코드상품명 \t 재고수량"); System.out.println(" "); while (rs.next()) { String code = rs.getstring("goodsinfo.code"); String name = rs.getstring("name"); int num = rs.getint("num"); System.out.printf("%8s %s \t%8d %n", code, tounicode(name), num); catch (ClassNotFoundException cnfe) { System.out.println(" 해당클래스를찾을수없습니다." + cnfe.getmessage()); catch (SQLException se) { System.out.println(se.getMessage()); finally { stmt.close(); catch (Exception ignored) { conn.close(); catch (Exception ignored) { private static String tounicode(string str) { // ISO 문자열 -> Unicode 문자열 byte[] b = str.getbytes("iso "); return new String(b); catch (java.io.unsupportedencodingexception uee) { System.out.println(uee.getMessage()); return null;

33 [ 예제 21-3] 14행의 executequery 문을다음과같이수정하면됩니다. ResultSet rs = stmt.executequery( "select code, name, price, maker + from goodsinfo where name like '" + tolatin1(args[0]) + "%';"); import java.sql.*; class JDBCExample4 { if (args.length!= 4) { System.out.println("Usage: java JDBCExample4 상품코드상품명가격제조사"); return; Connection conn = null; Statement stmt1 = null; Statement stmt2 = null; Class.forName("com.mysql.jdbc.Driver"); conn = DriverManager.getConnection("jdbc:mysql://localhost:3306/malldb",

34 stmt1 = conn.createstatement(); "root", ""); ResultSet rs = stmt1.executequery("select code from goodsinfo where code='" stmt2 = conn.createstatement(); if (rs.next()) { else { + tolatin1(args[0]) + "';"); int rownum = stmt2.executeupdate("update goodsinfo set " + "name:='" + tolatin1(args[1]) + "', " + "price:='" + tolatin1(args[2]) + "', " + "maker:='" + tolatin1(args[3]) + "' " + "where code = '" + tolatin1(args[0]) + "';"); System.out.println(rowNum + " 행이수정되었습니다."); int rownum = stmt2.executeupdate( "insert into goodsinfo (code, name, price, maker) values('" + tolatin1(args[0]) + "', '" + tolatin1(args[1]) + "', " + tolatin1(args[2]) + ", '" + tolatin1(args[3]) + "');"); System.out.println(rowNum + " 행이추가되었습니다."); catch (ClassNotFoundException cnfe) { System.out.println(" 해당클래스를찾을수없습니다." + cnfe.getmessage()); catch (SQLException se) { System.out.println(se.getMessage()); finally { stmt1.close(); catch (Exception ignored) { stmt2.close(); catch (Exception ignored) { conn.close(); catch (Exception ignored) {

35 private static String tolatin1(string str) { // Unicode 문자열 -> ISO 문자열 byte[] b = str.getbytes(); return new String(b, "ISO "); catch (java.io.unsupportedencodingexception uee) { System.out.println(uee.getMessage()); return null; 이프로그램으로기존에있던데이터와똑같은상품코드의데이터를입력했을때의결과는다음과 같습니다.

Microsoft PowerPoint - 04-UDP Programming.ppt

Microsoft PowerPoint - 04-UDP Programming.ppt Chapter 4. UDP Dongwon Jeong djeong@kunsan.ac.kr http://ist.kunsan.ac.kr/ Dept. of Informatics & Statistics 목차 UDP 1 1 UDP 개념 자바 UDP 프로그램작성 클라이언트와서버모두 DatagramSocket 클래스로생성 상호간통신은 DatagramPacket 클래스를이용하여

More information

<4D F736F F F696E74202D20C1A63234C0E520C0D4C3E2B7C228B0ADC0C729205BC8A3C8AF20B8F0B5E55D>

<4D F736F F F696E74202D20C1A63234C0E520C0D4C3E2B7C228B0ADC0C729205BC8A3C8AF20B8F0B5E55D> Power Java 제 24 장입출력 이번장에서학습할내용 스트림이란? 스트림의분류 바이트스트림 문자스트림 형식입출력 명령어행에서입출력 파일입출력 스트림을이용한입출력에대하여살펴봅시다. 스트림 (stream) 스트림 (stream) 은 순서가있는데이터의연속적인흐름 이다. 스트림은입출력을물의흐름처럼간주하는것이다. 스트림들은연결될수있다. 중간점검문제 1. 자바에서는입출력을무엇이라고추상화하는가?

More information

PowerPoint Presentation

PowerPoint Presentation Package Class 1 Heeseung Jo 목차 section 1 패키지개요와패키지의사용 section 2 java.lang 패키지의개요 section 3 Object 클래스 section 4 포장 (Wrapper) 클래스 section 5 문자열의개요 section 6 String 클래스 section 7 StringBuffer 클래스 section

More information

파일로출력하는작업순서 1. 파일을연다. 2. 파일로자료를쓴다. 3. 파일을닫는다. 파일입출력에사용되는클래스들. FileInputStream, FileOutputStream, FileReader, FileWriter 문자단위로입출력하기 사람이읽을수있는문자로만구성된파일을읽

파일로출력하는작업순서 1. 파일을연다. 2. 파일로자료를쓴다. 3. 파일을닫는다. 파일입출력에사용되는클래스들. FileInputStream, FileOutputStream, FileReader, FileWriter 문자단위로입출력하기 사람이읽을수있는문자로만구성된파일을읽 파일다루기 1 데이터는이곳에서저곳으로흘러간다. - 즉, 데이터는스트림 (stream) 이되어서일렬로이곳에서저곳으로이동한다. - 자바프로그램에서입출력되는모든데이터는스트림형태로주고받는다. 키보드에서입력되는데이터나모니터로출력되는데이터, 파일로부터읽은데이터, 파일로출력하는데이터들도모두스트림형태이다. - 스트림은흐르는방향에따라입력스트림 (input stream) 과출력스트림

More information

Microsoft PowerPoint - Java-03.pptx

Microsoft PowerPoint - Java-03.pptx JAVA 프로그래밍 Chapter 19. GUI 프로그래밍 1 GUI 환경에서작동하는프로그램 윈도우프로그램에대하여 텍스트모드프로그램과윈도우프로그램 a) 텍스트모드의프로그램 b) 윈도우프로그램 2 GUI 환경에서작동하는프로그램 -2 윈도우프로그램에대하여 텍스트모드프로그램과윈도우프로그램의구조적차이 3 윈도우프로그램의작성방법 윈도우프로그램의구조 네단계로실행되는윈도우프로그램

More information

쉽게 풀어쓴 C 프로그래밊

쉽게 풀어쓴 C 프로그래밊 Power Java 제 27 장데이터베이스 프로그래밍 이번장에서학습할내용 자바와데이터베이스 데이터베이스의기초 SQL JDBC 를이용한프로그래밍 변경가능한결과집합 자바를통하여데이터베이스를사용하는방법을학습합니다. 자바와데이터베이스 JDBC(Java Database Connectivity) 는자바 API 의하나로서데이터베이스에연결하여서데이터베이스안의데이터에대하여검색하고데이터를변경할수있게한다.

More information

12-file.key

12-file.key 11 (String).. java.lang.stringbuffer. s String s = "abcd"; s = s + "e"; a b c d e a b c d e ,., "910359,, " "910359" " " " " (token) (token),, (delimiter). java.util.stringtokenizer String s = "910359,,

More information

07 자바의 다양한 클래스.key

07 자바의 다양한 클래스.key [ 07 ] . java.lang Object, Math, String, StringBuffer Byte, Short, Integer, Long, Float, Double, Boolean, Character. java.util Random, StringTokenizer Calendar, GregorianCalendar, Date. Collection, List,

More information

이것만은 알고 갑시다 정답

이것만은 알고 갑시다 정답 정답 1장 1. a) 클래스, 메소드, 명령문 b) main 2. 자바가상기계또는 Java Virtual Machine 또는 JVM 3. 5 행에중괄호 가하나더있어야합니다. 2장 1. 11행에서 max 변수를사용한것이잘못입니다. max 변수는 if 문에종속된블록안에선 언되어있기때문에그블록밖에서는사용할수없습니다. 2. K 라는문자가출력됩니다. 이프로그램이 "

More information

PowerPoint Presentation

PowerPoint Presentation 객체지향프로그래밍 클래스, 객체, 메소드 ( 실습 ) 손시운 ssw5176@kangwon.ac.kr 예제 1. 필드만있는클래스 텔레비젼 2 예제 1. 필드만있는클래스 3 예제 2. 여러개의객체생성하기 4 5 예제 3. 메소드가추가된클래스 public class Television { int channel; // 채널번호 int volume; // 볼륨 boolean

More information

PowerPoint Presentation

PowerPoint Presentation 객체지향프로그래밍 인터페이스, 람다식, 패키지 ( 실습 ) 손시운 ssw5176@kangwon.ac.kr 예제 1. 홈네트워킹 public interface RemoteControl { public void turnon(); // 가전제품을켠다. public void turnoff(); // 가전제품을끈다. 인터페이스를구현 public class Television

More information

gnu-lee-oop-kor-lec10-1-chap10

gnu-lee-oop-kor-lec10-1-chap10 어서와 Java 는처음이지! 제 10 장이벤트처리 이벤트분류 액션이벤트 키이벤트 마우스이동이벤트 어댑터클래스 스윙컴포넌트에의하여지원되는이벤트는크게두가지의카테고리로나누어진다. 사용자가버튼을클릭하는경우 사용자가메뉴항목을선택하는경우 사용자가텍스트필드에서엔터키를누르는경우 두개의버튼을만들어서패널의배경색을변경하는프로그램을작성하여보자. 이벤트리스너는하나만생성한다. class

More information

Connection 8 22 UniSQLConnection / / 9 3 UniSQL OID SET

Connection 8 22 UniSQLConnection / / 9 3 UniSQL OID SET 135-080 679-4 13 02-3430-1200 1 2 11 2 12 2 2 8 21 Connection 8 22 UniSQLConnection 8 23 8 24 / / 9 3 UniSQL 11 31 OID 11 311 11 312 14 313 16 314 17 32 SET 19 321 20 322 23 323 24 33 GLO 26 331 GLO 26

More information

PowerPoint Presentation

PowerPoint Presentation 객체지향프로그래밍 오류처리 손시운 ssw5176@kangwon.ac.kr 오류메시지를분석한다. 오류메시지에서많은내용을알수있다. 2 디버깅 디버거를사용하면프로그램에서쉽게오류를감지하고진단할수있다. 디버거는중단점을설정하여서프로그램의실행을제어할수있으며문장 단위로실행하거나변수의값을살펴볼수있다. 3 이클립스에서디버깅 4 이클립스에서디버깅 5 이클립스의디버깅명령어 6 예외처리

More information

02 C h a p t e r Java

02 C h a p t e r Java 02 C h a p t e r Java Bioinformatics in J a va,, 2 1,,,, C++, Python, (Java),,, (http://wwwbiojavaorg),, 13, 3D GUI,,, (Java programming language) (Sun Microsystems) 1995 1990 (green project) TV 22 CHAPTER

More information

PowerPoint Presentation

PowerPoint Presentation Package Class 3 Heeseung Jo 목차 section 1 패키지개요와패키지의사용 section 2 java.lang 패키지의개요 section 3 Object 클래스 section 4 포장 (Wrapper) 클래스 section 5 문자열의개요 section 6 String 클래스 section 7 StringBuffer 클래스 section

More information

JAVA PROGRAMMING 실습 09. 예외처리

JAVA PROGRAMMING 실습 09. 예외처리 2015 학년도 2 학기 예외? 프로그램실행중에발생하는예기치않은사건 예외가발생하는경우 정수를 0으로나누는경우 배열의크기보다큰인덱스로배열의원소를접근하는경우 파일의마지막부분에서데이터를읽으려고하는경우 예외처리 프로그램에문제를발생시키지않고프로그램을실행할수있게적절한조치를취하는것 자바는예외처리기를이용하여예외처리를할수있는기법제공 자바는예외를객체로취급!! 나뉨수를입력하시오

More information

JTable과 MVC(Model-View-Controller) 구조 - 모델-뷰-컨트롤러구조는데이터의저장과접근에대한제공은모델이담당하고, 화면표시는뷰, 이벤트의처리는컨트롤러가하도록각역할을구분한구조이다. 즉, 역할의분담을통하여상호간의영향을최소화하고각요소의독립성을보장하여독자

JTable과 MVC(Model-View-Controller) 구조 - 모델-뷰-컨트롤러구조는데이터의저장과접근에대한제공은모델이담당하고, 화면표시는뷰, 이벤트의처리는컨트롤러가하도록각역할을구분한구조이다. 즉, 역할의분담을통하여상호간의영향을최소화하고각요소의독립성을보장하여독자 JTable 에서사용하는 Model 객체 JTable - JTable은데이터베이스의검색결과를 GUI에보여주기위해사용되는컴포넌트이다. 가로와세로로구성된테이블을을사용해서행과열에데이터를위치시킨다. - JTable을사용하는방법은다음과같다. 1 테이블에출력될데이터를 2차원배열에저장한다. Object[][] records = { {..., {..., {... ; 2 제목으로사용할문제열을

More information

PowerPoint Presentation

PowerPoint Presentation 객체지향프로그래밍 오류처리 손시운 ssw5176@kangwon.ac.kr 오류메시지를분석한다. 오류메시지에서많은내용을알수있다. 2 디버깅 디버거를사용하면프로그램에서쉽게오류를감지하고진단할수있다. 디버거는중단점을설정하여서프로그램의실행을제어할수있으며문장 단위로실행하거나변수의값을살펴볼수있다. 3 이클립스에서디버깅 4 이클립스에서디버깅 5 이클립스의디버깅명령어 6 예외처리

More information

05-class.key

05-class.key 5 : 2 (method) (public) (private) (interface) 5.1 (Method), (public method) (private method) (constructor), 3 4 5.2 (client). (receiver)., System.out.println("Hello"); (client object) (receiver object)

More information

JAVA 프로그래밍실습 실습 1) 실습목표 - 메소드개념이해하기 - 매개변수이해하기 - 새메소드만들기 - Math 클래스의기존메소드이용하기 ( ) 문제 - 직사각형모양의땅이있다. 이땅의둘레, 면적과대각

JAVA 프로그래밍실습 실습 1) 실습목표 - 메소드개념이해하기 - 매개변수이해하기 - 새메소드만들기 - Math 클래스의기존메소드이용하기 (   ) 문제 - 직사각형모양의땅이있다. 이땅의둘레, 면적과대각 JAVA 프로그래밍실습 실습 1) 실습목표 - 메소드개념이해하기 - 매개변수이해하기 - 새메소드만들기 - Math 클래스의기존메소드이용하기 ( http://java.sun.com/javase/6/docs/api ) 문제 - 직사각형모양의땅이있다. 이땅의둘레, 면적과대각선의길이를계산하는메소드들을작성하라. 직사각형의가로와세로의길이는주어진다. 대각선의길이는 Math클래스의적절한메소드를이용하여구하라.

More information

자바GUI실전프로그래밍2_장대원.PDF

자바GUI실전프로그래밍2_장대원.PDF JAVA GUI - 2 JSTORM http://wwwjstormpekr JAVA GUI - 2 Issued by: < > Document Information Document title: JAVA GUI - 2 Document file name: Revision number: Issued by: Issue Date:

More information

<4D F736F F F696E74202D20C1A63233C0E520B1D7B7A1C7C820C7C1B7CEB1D7B7A1B9D628B0ADC0C729205BC8A3C8AF20B8F0B5E55D>

<4D F736F F F696E74202D20C1A63233C0E520B1D7B7A1C7C820C7C1B7CEB1D7B7A1B9D628B0ADC0C729205BC8A3C8AF20B8F0B5E55D> Power Java 제 23 장그래픽프로그래밍 이번장에서학습할내용 자바에서의그래픽 기초사항 기초도형그리기 색상 폰트 Java 2D Java 2D를이용한그리기 Java 2D 를이용한채우기 도형회전과평행이동 자바를이용하여서화면에그림을그려봅시다. 자바그래픽데모 자바그래픽의두가지방법 자바그래픽 AWT Java 2D AWT를사용하면기본적인도형들을쉽게그릴수있다. 어디서나잘실행된다.

More information

Microsoft PowerPoint - Java7.pptx

Microsoft PowerPoint - Java7.pptx HPC & OT Lab. 1 HPC & OT Lab. 2 실습 7 주차 Jin-Ho, Jang M.S. Hanyang Univ. HPC&OT Lab. jinhoyo@nate.com HPC & OT Lab. 3 Component Structure 객체 (object) 생성개념을이해한다. 외부클래스에대한접근방법을이해한다. 접근제어자 (public & private)

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 배효철 th1g@nate.com 1 목차 표준입출력 파일입출력 2 표준입출력 표준입력은키보드로입력하는것, 주로 Scanner 클래스를사용. 표준출력은화면에출력하는메소드를사용하는데대표적으로 System.out.printf( ) 를사용 3 표준입출력 표준출력 : System.out.printlf() 4 표준입출력 Example 01 public static void

More information

Microsoft PowerPoint - 14주차 강의자료

Microsoft PowerPoint - 14주차 강의자료 Java 로만드는 Monster 잡기게임예제이해 2014. 12. 2 게임화면및게임방법 기사초기위치 : (0,0) 아이템 10 개랜덤생성 몬스터 10 놈랜덤생성 Frame 하단에기사위치와기사파워출력방향키로기사이동아이템과몬스터는고정종료버튼클릭하면종료 Project 구성 GameMain.java GUI 환경설정, Main Method 게임객체램덤위치에생성 Event

More information

<4D F736F F F696E74202D20C1A63139C0E520B9E8C4A120B0FCB8AEC0DA28B0ADC0C729205BC8A3C8AF20B8F0B5E55D>

<4D F736F F F696E74202D20C1A63139C0E520B9E8C4A120B0FCB8AEC0DA28B0ADC0C729205BC8A3C8AF20B8F0B5E55D> Power Java 제 19 장배치관리자 이번장에서학습할내용 배치관리자의개요 배치관리자의사용 FlowLayout BorderLayout GridLayout BoxLayout CardLayout 절대위치로배치 컨테이너안에서컴포넌트를배치하는방법에대하여살펴봅시다. 배치관리자 (layout manager) 컨테이너안의각컴포넌트의위치와크기를결정하는작업 [3/70] 상당히다르게보인다.

More information

<4D F736F F F696E74202D20C1A63236C0E520BED6C7C3B8B428B0ADC0C729205BC8A3C8AF20B8F0B5E55D>

<4D F736F F F696E74202D20C1A63236C0E520BED6C7C3B8B428B0ADC0C729205BC8A3C8AF20B8F0B5E55D> Power Java 제 26 장애플릿 이번장에서학습할내용 애플릿소개 애플릿작성및소개 애플릿의생명주기 애플릿에서의그래픽컴포넌트의소개 Applet API의이용 웹브라우저상에서실행되는작은프로그램인애플릿에대하여학습합니다. 애플릿이란? 애플릿은웹페이지같은 HTML 문서안에내장되어실행되는자바프로그램이다. 애플릿을실행시키는두가지방법 1. 웹브라우저를이용하는방법 2. Appletviewer를이용하는방법

More information

JAVA PROGRAMMING 실습 08.다형성

JAVA PROGRAMMING 실습 08.다형성 2015 학년도 2 학기 1. 추상메소드 선언은되어있으나코드구현되어있지않은메소드 abstract 키워드사용 메소드타입, 이름, 매개변수리스트만선언 public abstract String getname(); public abstract void setname(string s); 2. 추상클래스 abstract 키워드로선언한클래스 종류 추상메소드를포함하는클래스

More information

PowerPoint Presentation

PowerPoint Presentation Class - Property Jo, Heeseung 목차 section 1 클래스의일반구조 section 2 클래스선언 section 3 객체의생성 section 4 멤버변수 4-1 객체변수 4-2 클래스변수 4-3 종단 (final) 변수 4-4 멤버변수접근방법 section 5 멤버변수접근한정자 5-1 public 5-2 private 5-3 한정자없음

More information

비긴쿡-자바 00앞부속

비긴쿡-자바 00앞부속 IT COOKBOOK 14 Java P r e f a c e Stay HungryStay Foolish 3D 15 C 3 16 Stay HungryStay Foolish CEO 2005 L e c t u r e S c h e d u l e 1 14 PPT API C A b o u t T h i s B o o k IT CookBook for Beginner Chapter

More information

Microsoft PowerPoint - Supplement-03-TCP Programming.ppt [호환 모드]

Microsoft PowerPoint - Supplement-03-TCP Programming.ppt [호환 모드] - Socket Programming in Java - 목차 소켓소개 자바에서의 TCP 프로그램작성방법 주요클래스와메소드 HTTP 프로토콜을이용한예제 에코프로그램 Q/A 에코프로그램 - EchoServer 에코프로그램 - EchoClient TCP Programming 1 소켓소개 IP, Port, and Socket 포트 (Port): 전송계층에서통신을수행하는응용프로그램을찾기위한주소

More information

q 이장에서다룰내용 1 객체지향프로그래밍의이해 2 객체지향언어 : 자바 2

q 이장에서다룰내용 1 객체지향프로그래밍의이해 2 객체지향언어 : 자바 2 객체지향프로그래밍 IT CookBook, 자바로배우는쉬운자료구조 q 이장에서다룰내용 1 객체지향프로그래밍의이해 2 객체지향언어 : 자바 2 q 객체지향프로그래밍의이해 v 프로그래밍기법의발달 A 군의사업발전 1 단계 구조적프로그래밍방식 3 q 객체지향프로그래밍의이해 A 군의사업발전 2 단계 객체지향프로그래밍방식 4 q 객체지향프로그래밍의이해 v 객체란무엇인가

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 실습 1 배효철 th1g@nate.com 1 목차 조건문 반복문 System.out 구구단 모양만들기 Up & Down 2 조건문 조건문의종류 If, switch If 문 조건식결과따라중괄호 { 블록을실행할지여부결정할때사용 조건식 true 또는 false값을산출할수있는연산식 boolean 변수 조건식이 true이면블록실행하고 false 이면블록실행하지않음 3

More information

Java ...

Java ... 컴퓨터언어 1 Java 제어문 조성일 조건문 : if, switch 어떠한조건을조사하여각기다른명령을실행 if 문, switch 문 if 문 if - else 문형식 if 문형식 if ( 조건식 ) { 명령문 1; 명령문 2;... if ( 조건식 ) { 명령문 1; 명령문 2;... else { 명령문 a; 명령문 b;... 예제 1 정수를입력받아짝수와홀수를판별하는프로그램을작성하시오.

More information

쉽게 풀어쓴 C 프로그래밍

쉽게 풀어쓴 C 프로그래밍 Power Java 제 20 장패키지 이번장에서학습할내용 패키지의개념 패키지로묶는방법 패키지사용 기본패키지 유틸리티패키지 패키지는연관된클래스들을묶는기법입니다. 패키지란? 패키지 (package) : 클래스들을묶은것 자바라이브러리도패키지로구성 ( 예 ) java.net 패키지 네트워크관련라이브러리 그림 20-1. 패키지의개념 예제 패키지생성하기 Q: 만약패키지문을사용하지않은경우에는어떻게되는가?

More information

rmi_박준용_final.PDF

rmi_박준용_final.PDF (RMI) - JSTORM http://wwwjstormpekr (RMI)- Document title: Document file name: Revision number: Issued by: Document Information (RMI)- rmi finaldoc Issue Date: Status:

More information

11장.key

11장.key JAVA Programming 1 GUI 2 2 1. GUI! GUI! GUI.! GUI! GUI 2. GUI!,,,!! GUI! GUI 11 : GUI 12 : GUI 3 4, JComponent 11-1 :, JComponent 5 import java.awt.*; import java.awt.event.*; import javax.swing.*; public

More information

Design Issues

Design Issues 11 COMPUTER PROGRAMMING INHERIATANCE CONTENTS OVERVIEW OF INHERITANCE INHERITANCE OF MEMBER VARIABLE RESERVED WORD SUPER METHOD INHERITANCE and OVERRIDING INHERITANCE and CONSTRUCTOR 2 Overview of Inheritance

More information

Microsoft PowerPoint - 03-TCP Programming.ppt

Microsoft PowerPoint - 03-TCP Programming.ppt Chapter 3. - Socket in Java - 목차 소켓소개 자바에서의 프로그램작성방법 주요클래스와메소드 HTTP 프로토콜을이용한예제 에코프로그램 에코프로그램 - EchoServer 에코프로그램 - EchoClient Q/A 1 1 소켓소개 IP,, and Socket 포트 (): 전송계층에서통신을수행하는응용프로그램을찾기위한주소 소켓 (Socket):

More information

No Slide Title

No Slide Title 사건처리와 GUI 프로그래밍 이충기 명지대학교컴퓨터공학과 사건 사건은우리가관심을가질지모르는어떤일이일어나는것을나타내는객체이다. 예를들면, 다음이일어날때프로그램이어떤일을수행해야하는경우에사건이발생한다 : 1. 마우스를클릭한다. 2. 단추를누른다. 3. 키보드의키를누른다. 4. 메뉴항목을선택한다. 2 사건 사건은컴포넌트에서사용자나시스템에의하여발생하는일이다. 자바는사건을나타내는많은사건클래스를제공한다.

More information

9장.key

9장.key JAVA Programming 1 GUI(Graphical User Interface) 2 GUI!,! GUI! GUI, GUI GUI! GUI AWT Swing AWT - java.awt Swing - javax.swing AWT Swing 3 AWT(Abstract Windowing Toolkit)! GUI! java.awt! AWT (Heavy weight

More information

PowerPoint Presentation

PowerPoint Presentation 객체지향프로그래밍 그래픽사용자인터페이스 ( 실습 ) 손시운 ssw5176@kangwon.ac.kr 예제 1. 프레임생성 (1) import javax.swing.*; public class FrameTest { public static void main(string[] args) { JFrame f = new JFrame("Frame Test"); JFrame

More information

<4D F736F F F696E74202D20C1A63038C0E520C5ACB7A1BDBABFCD20B0B4C3BC4928B0ADC0C729205BC8A3C8AF20B8F0B5E55D>

<4D F736F F F696E74202D20C1A63038C0E520C5ACB7A1BDBABFCD20B0B4C3BC4928B0ADC0C729205BC8A3C8AF20B8F0B5E55D> Power Java 제 8 장클래스와객체 I 이번장에서학습할내용 클래스와객체 객체의일생직접 메소드클래스를 필드작성해 UML 봅시다. QUIZ 1. 객체는 속성과 동작을가지고있다. 2. 자동차가객체라면클래스는 설계도이다. 먼저앞장에서학습한클래스와객체의개념을복습해봅시다. 클래스의구성 클래스 (class) 는객체의설계도라할수있다. 클래스는필드와메소드로이루어진다.

More information

파일로입출력하기II - 파일출력클래스중에는데이터를일정한형태로출력하는기능을가지고있다. - PrintWriter와 PrintStream을사용해서원하는형태로출력할수있다. - PrintStream은구버전으로가능하면 PrintWriter 클래스를사용한다. PrintWriter

파일로입출력하기II - 파일출력클래스중에는데이터를일정한형태로출력하는기능을가지고있다. - PrintWriter와 PrintStream을사용해서원하는형태로출력할수있다. - PrintStream은구버전으로가능하면 PrintWriter 클래스를사용한다. PrintWriter 파일로입출력하기II - 파일출력클래스중에는데이터를일정한형태로출력하는기능을가지고있다. - PrintWriter와 PrintStream을사용해서원하는형태로출력할수있다. - PrintStream은구버전으로가능하면 PrintWriter 클래스를사용한다. PrintWriter 클래스의사용법은다음과같다. PrintWriter writer = new PrintWriter("output.txt");

More information

PowerPoint Presentation

PowerPoint Presentation 자바프로그래밍 1 클래스와메소드심층연구 ( 실습 ) 손시운 ssw5176@kangwon.ac.kr 예제 1. 접근제어 class A { private int a; int b; public int c; // 전용 // 디폴트 // 공용 public class Test { public static void main(string args[]) { A obj = new

More information

목차 INDEX JSON? - JSON 개요 - JSONObject - JSONArray 서울시공공데이터 API 살펴보기 - 요청인자살펴보기 - Result Code - 출력값 HttpClient - HttpHelper 클래스작성 - JSONParser 클래스작성 공공

목차 INDEX JSON? - JSON 개요 - JSONObject - JSONArray 서울시공공데이터 API 살펴보기 - 요청인자살펴보기 - Result Code - 출력값 HttpClient - HttpHelper 클래스작성 - JSONParser 클래스작성 공공 메신저의새로운혁신 채팅로봇 챗봇 (Chatbot) 입문하기 소 이 메 속 : 시엠아이코리아 름 : 임채문 일 : soulgx@naver.com 1 목차 INDEX JSON? - JSON 개요 - JSONObject - JSONArray 서울시공공데이터 API 살펴보기 - 요청인자살펴보기 - Result Code - 출력값 HttpClient - HttpHelper

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 @ Lesson 2... ( ). ( ). @ vs. logic data method variable behavior attribute method field Flow (Type), ( ) member @ () : C program Method A ( ) Method B ( ) Method C () program : Java, C++, C# data @ Program

More information

슬라이드 1

슬라이드 1 UNIT 16 예외처리 로봇 SW 교육원 3 기 최상훈 학습목표 2 예외처리구문 try-catch-finally 문을사용핛수있다. 프로그램오류 3 프로그램오류의종류 컴파일에러 (compile-time error) : 컴파일실행시발생 럮타임에러 (runtime error) : 프로그램실행시발생 에러 (error) 프로그램코드에의해서해결될수없는심각핚오류 ex)

More information

JMF3_심빈구.PDF

JMF3_심빈구.PDF JMF JSTORM http://wwwjstormpekr Issued by: < > Revision: Document Information Document title: Document file name: Revision number: Issued by: JMF3_ doc Issue Date:

More information

Microsoft PowerPoint - CSharp-10-예외처리

Microsoft PowerPoint - CSharp-10-예외처리 10 장. 예외처리 예외처리개념 예외처리구문 사용자정의예외클래스와예외전파 순천향대학교컴퓨터학부이상정 1 예외처리개념 순천향대학교컴퓨터학부이상정 2 예외처리 오류 컴파일타임오류 (Compile-Time Error) 구문오류이기때문에컴파일러의구문오류메시지에의해쉽게교정 런타임오류 (Run-Time Error) 디버깅의절차를거치지않으면잡기어려운심각한오류 시스템에심각한문제를줄수도있다.

More information

@OneToOne(cascade = = "addr_id") private Addr addr; public Emp(String ename, Addr addr) { this.ename = ename; this.a

@OneToOne(cascade = = addr_id) private Addr addr; public Emp(String ename, Addr addr) { this.ename = ename; this.a 1 대 1 단방향, 주테이블에외래키실습 http://ojcedu.com, http://ojc.asia STS -> Spring Stater Project name : onetoone-1 SQL : JPA, MySQL 선택 http://ojc.asia/bbs/board.php?bo_table=lecspring&wr_id=524 ( 마리아 DB 설치는위 URL

More information

Chap12

Chap12 12 12Java RMI 121 RMI 2 121 RMI 3 - RMI, CORBA 121 RMI RMI RMI (remote object) 4 - ( ) UnicastRemoteObject, 121 RMI 5 class A - class B - ( ) class A a() class Bb() 121 RMI 6 RMI / 121 RMI RMI 1 2 ( 7)

More information

Spring Boot/JDBC JdbcTemplate/CRUD 예제

Spring Boot/JDBC JdbcTemplate/CRUD 예제 Spring Boot/JDBC JdbcTemplate/CRUD 예제 오라클자바커뮤니티 (ojc.asia, ojcedu.com) Spring Boot, Gradle 과오픈소스인 MariaDB 를이용해서 EMP 테이블을만들고 JdbcTemplate, SimpleJdbcTemplate 을이용하여 CRUD 기능을구현해보자. 마리아 DB 설치는다음 URL 에서확인하자.

More information

gnu-lee-oop-kor-lec11-1-chap15

gnu-lee-oop-kor-lec11-1-chap15 어서와 Java 는처음이지! 제 15 장컬렉션 컬렉션 (collection) 은자바에서자료구조를구현한클래스 자료구조로는리스트 (list), 스택 (stack), 큐 (queue), 집합 (set), 해쉬테이블 (hash table) 등이있다. 자바는컬렉션인터페이스와컬렉션클래스로나누어서제공한다. 자바에서는컬렉션인터페이스를구현한클래스도함께제공하므로이것을간단하게사용할수도있고아니면각자필요에맞추어인터페이스를자신의클래스로구현할수도있다.

More information

Microsoft PowerPoint 자바-기본문법(Ch2).pptx

Microsoft PowerPoint 자바-기본문법(Ch2).pptx 자바기본문법 1. 기본사항 2. 자료형 3. 변수와상수 4. 연산자 1 주석 (Comments) 이해를돕기위한설명문 종류 // /* */ /** */ 활용예 javadoc HelloApplication.java 2 주석 (Comments) /* File name: HelloApplication.java Created by: Jung Created on: March

More information

PowerPoint Presentation

PowerPoint Presentation public class SumTest { public static void main(string a1[]) { int a, b, sum; a = Integer.parseInt(a1[0]); b = Integer.parseInt(a1[1]); sum = a + b ; // 두수를더하는부분입니다 System.out.println(" 두수의합은 " + sum +

More information

gnu-lee-oop-kor-lec06-3-chap7

gnu-lee-oop-kor-lec06-3-chap7 어서와 Java 는처음이지! 제 7 장상속 Super 키워드 상속과생성자 상속과다형성 서브클래스의객체가생성될때, 서브클래스의생성자만호출될까? 아니면수퍼클래스의생성자도호출되는가? class Base{ public Base(String msg) { System.out.println("Base() 생성자 "); ; class Derived extends Base

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 @ Lesson 3 if, if else, if else if, switch case for, while, do while break, continue : System.in, args, JOptionPane for (,, ) @ vs. logic data method variable Data Data Flow (Type), ( ) @ Member field

More information

제11장 프로세스와 쓰레드

제11장 프로세스와 쓰레드 제9장자바쓰레드 9.1 Thread 기초 (1/5) 프로그램 명령어들의연속 (a sequence of instruction) 프로세스 / Thread 실행중인프로그램 (program in execution) 프로세스생성과실행을위한함수들 자바 Thread 2 9.1 Thread 기초 (2/5) 프로세스단위작업의문제점 프로세스생성시오버헤드 컨텍스트스위치오버헤드

More information

Microsoft PowerPoint - chap02-C프로그램시작하기.pptx

Microsoft PowerPoint - chap02-C프로그램시작하기.pptx #include int main(void) { int num; printf( Please enter an integer "); scanf("%d", &num); if ( num < 0 ) printf("is negative.\n"); printf("num = %d\n", num); return 0; } 1 학습목표 을 작성하면서 C 프로그램의

More information

목차 BUG DEQUEUE 의 WAIT TIME 이 1 초미만인경우, 설정한시간만큼대기하지않는문제가있습니다... 3 BUG [qp-select-pvo] group by 표현식에있는컬럼을참조하는집합연산이존재하지않으면결괏값오류가발생할수있습니다... 4

목차 BUG DEQUEUE 의 WAIT TIME 이 1 초미만인경우, 설정한시간만큼대기하지않는문제가있습니다... 3 BUG [qp-select-pvo] group by 표현식에있는컬럼을참조하는집합연산이존재하지않으면결괏값오류가발생할수있습니다... 4 ALTIBASE HDB 6.5.1.5.10 Patch Notes 목차 BUG-46183 DEQUEUE 의 WAIT TIME 이 1 초미만인경우, 설정한시간만큼대기하지않는문제가있습니다... 3 BUG-46249 [qp-select-pvo] group by 표현식에있는컬럼을참조하는집합연산이존재하지않으면결괏값오류가발생할수있습니다... 4 BUG-46266 [sm]

More information

Cluster management software

Cluster management software 자바네트워크프로그래밍 (OCJP 국제공인자격취득중심 ) 충북대학교 최민 기본예제 예외클래스를정의하고사용하는예제 class NewException extends Exception { public class ExceptionTest { static void methoda() throws NewException { System.out.println("NewException

More information

슬라이드 1

슬라이드 1 UNIT 6 배열 로봇 SW 교육원 3 기 학습목표 2 배열을사용핛수있다. 배열 3 배열 (Array) 이란? 같은타입 ( 자료형 ) 의여러변수를하나의묶음으로다루는것을배열이라고함 같은타입의많은양의데이터를다룰때효과적임 // 학생 30 명의점수를저장하기위해.. int student_score1; int student_score2; int student_score3;...

More information

<4D F736F F F696E74202D20C1A63230C0E520BDBAC0AE20C4C4C6F7B3CDC6AE203128B0ADC0C729205BC8A3C8AF20B8F0B5E55D>

<4D F736F F F696E74202D20C1A63230C0E520BDBAC0AE20C4C4C6F7B3CDC6AE203128B0ADC0C729205BC8A3C8AF20B8F0B5E55D> Power Java 제 20 장스윙컴포넌트 1 이번장에서학습할내용 텍스트컴포넌트 텍스트필드 텍스트영역 스크롤페인 체크박스 라디오버튼 스윙에서제공하는기초적인컴포넌트들을살펴봅시다. 스윙텍스트컴포넌트들 종류텍스트컴포넌트그림 텍스트필드 JTextField JPasswordField JFormattedTextField 일반텍스트영역 JTextArea 스타일텍스트영역

More information

웹연동 } 웹 (Web) 환경에서데이터베이스시스템을연동하는방법은다음과같다 } Server Client 구조의통신 (2-Tier) } Server Middleware Client 구조의통신 (3-Tier) 2

웹연동 } 웹 (Web) 환경에서데이터베이스시스템을연동하는방법은다음과같다 } Server Client 구조의통신 (2-Tier) } Server Middleware Client 구조의통신 (3-Tier) 2 DB 와 WEB 연동 (1) [2-Tier] Java Applet 이용 웹연동 } 웹 (Web) 환경에서데이터베이스시스템을연동하는방법은다음과같다 } Server Client 구조의통신 (2-Tier) } Server Middleware Client 구조의통신 (3-Tier) 2 JAVA Applet 을이용한 Client Server 연동기법 } Applet

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 예외처리 배효철 th1g@nate.com 1 목차 예외와예외클래스 실행예외 예외처리코드 예외종류에따른처리코드 자동리소스닫기 예외처리떠넘기기 사용자정의예외와예외발생 예외와예외클래스 구문오류 예외와예외클래스 구문오류가없는데실행시오류가발생하는경우 예외와예외클래스 import java.util.scanner; public class ExceptionExample1

More information

슬라이드 1

슬라이드 1 12 장. GUI 학습목표 GUI 이벤트, 이벤트리스너와이벤트소스그림그리기내부클래스 창 Jframe 의모양 (Metal L&F) Jframe 의모양 (Aqua L&F) 창을만드는방법 1. 프레임 (JFrame) 만들기 JFrame frame = new JFrame(); 2. 위젯만들기 JButton button = new JButton( click me );

More information

PowerPoint Presentation

PowerPoint Presentation 객체지향프로그래밍 인터페이스, 람다식, 패키지 손시운 ssw5176@kangwon.ac.kr 인터페이스 인터페이스 (interafce) 는서로다른장치들이연결되어서상호데이터를주 고받는규격을의미한다 2 자바인터페이스 클래스와클래스사이의상호작용의규격을나타낸것이인터페이스이다 3 인터페이스의예 스마트홈시스템 (Smart Home System) 4 인터페이스의정의 public

More information

중간고사

중간고사 기말고사 담당교수 : 단국대학교응용컴퓨터공학박경신 답은반드시답안지에기술할것. 공간이부족할경우반드시답안지몇쪽의뒤에있다고명기한 후기술할것. 그외의경우의답안지뒤쪽이나연습지에기술한내용은답안으로인정안함. 답 에는반드시네모를쳐서확실히표시할것. 답안지에학과, 학번, 이름외에본인의암호 (4 자리숫자 ) 를기입하면성적공고시학번대신암호를 사용할것임. // ArithmeticOperator

More information

10.ppt

10.ppt : SQL. SQL Plus. JDBC. SQL >> SQL create table : CREATE TABLE ( ( ), ( ),.. ) SQL >> SQL create table : id username dept birth email id username dept birth email CREATE TABLE member ( id NUMBER NOT NULL

More information

(Microsoft PowerPoint - java1-lecture11.ppt [\310\243\310\257 \270\360\265\345])

(Microsoft PowerPoint - java1-lecture11.ppt [\310\243\310\257 \270\360\265\345]) 예외와예외클래스 예외처리 514760-1 2016 년가을학기 12/08/2016 박경신 오류의종류 에러 (Error) 하드웨어의잘못된동작또는고장으로인한오류 에러가발생되면 JVM실행에문제가있으므로프로그램종료 정상실행상태로돌아갈수없음 예외 (Exception) 사용자의잘못된조작또는개발자의잘못된코딩으로인한오류 예외가발생되면프로그램종료 예외처리 추가하면정상실행상태로돌아갈수있음

More information

Java Programing Environment

Java Programing Environment Lab Exercise #7 Swing Component 프로그래밍 2007 봄학기 고급프로그래밍 김영국충남대전기정보통신공학부 실습내용 실습과제 7-1 : 정규표현식을이용한사용자정보의유효성검사 (ATM 에서사용자등록용도로사용가능 ) 실습과제 7-2 : 숫자맞추기게임 실습과제 7-3 : 은행관리프로그램 고급프로그래밍 Swing Component 프로그래밍 2

More information

<4D F736F F F696E74202D20C1A63138C0E520C0CCBAA5C6AE20C3B3B8AE28B0ADC0C729205BC8A3C8AF20B8F0B5E55D>

<4D F736F F F696E74202D20C1A63138C0E520C0CCBAA5C6AE20C3B3B8AE28B0ADC0C729205BC8A3C8AF20B8F0B5E55D> Power Java 제 18 장이벤트처리 이번장에서학습할내용 이벤트처리의개요 이벤트 액션이벤트 Key, Mouse, MouseMotion 어댑터클래스 버튼을누르면반응하도록만들어봅시다. 이번장의목표 버튼을누르면버튼의텍스트가변경되게한다. 이벤트처리과정 이벤트처리과정 (1) 이벤트를발생하는컴포넌트를생성하여야한다. 이벤트처리과정 (2) 이벤트리스너클래스를작성한다.

More information

JUNIT 실습및발표

JUNIT 실습및발표 JUNIT 실습및발표 JUNIT 접속 www.junit.org DownLoad JUnit JavaDoc API Document 를참조 JUNIT 4.8.1 다운로드 설치파일 (jar 파일 ) 을다운로드 CLASSPATH 를설정 환경변수에서설정 실행할클래스에서 import JUnit 설치하기 테스트실행주석 @Test Test 를실행할 method 앞에붙임 expected

More information

JAVA PROGRAMMING 실습 02. 표준 입출력

JAVA PROGRAMMING 실습 02. 표준 입출력 자바의기본구조? class HelloJava{ public static void main(string argv[]){ system.out.println( hello,java ~ ){ } } # 하나하나뜯어살펴봅시다! public class HelloJava{ 클래스정의 public static void main(string[] args){ System.out.println(

More information

<4D F736F F F696E74202D20C1A63235C0E520B3D7C6AEBFF6C5A920C7C1B7CEB1D7B7A1B9D628B0ADC0C729205BC8A3C8AF20B8F0B5E55D>

<4D F736F F F696E74202D20C1A63235C0E520B3D7C6AEBFF6C5A920C7C1B7CEB1D7B7A1B9D628B0ADC0C729205BC8A3C8AF20B8F0B5E55D> Power Java 제 25 장네트워크프로그래밍 이번장에서학습할내용 네트워크프로그래밍의개요 URL 클래스 TCP를이용한통신 TCP를이용한서버제작 TCP를이용한클라이언트제작 UDP 를이용한통신 자바를이용하여서 TCP/IP 통신을이용하는응응프로그램을작성하여봅시다. 서버와클라이언트 서버 (Server): 사용자들에게서비스를제공하는컴퓨터 클라이언트 (Client):

More information

Network Programming

Network Programming Part 4 자바네트워크프로그래밍 1. Java IO 2. 스레드 (Thread) 클래스의소개 3. Java Socket 1. 자바입출력 Java_source->src->ch11 1.0 I/O Stream

More information

PowerPoint Presentation

PowerPoint Presentation 객체지향프로그래밍 클래스와메소드심층연구 ( 실습 ) 손시운 ssw5176@kangwon.ac.kr 예제 1. 접근제어 class A { private int a; int b; public int c; // 전용 // 디폴트 // 공용 public class Test { public static void main(string args[]) { A obj = new

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 실습문제 Chapter 05 데이터베이스시스템... 오라클로배우는데이터베이스개론과실습 1. 실습문제 1 (5 장심화문제 : 각 3 점 ) 6. [ 마당서점데이터베이스 ] 다음프로그램을 PL/SQL 저장프로시져로작성하고실행해 보시오. (1) ~ (2) 7. [ 마당서점데이터베이스 ] 다음프로그램을 PL/SQL 저장프로시져로작성하고실행해 보시오. (1) ~ (5)

More information

PowerPoint Template

PowerPoint Template JavaScript 회원정보 입력양식만들기 HTML & JavaScript Contents 1. Form 객체 2. 일반적인입력양식 3. 선택입력양식 4. 회원정보입력양식만들기 2 Form 객체 Form 객체 입력양식의틀이되는 태그에접근할수있도록지원 Document 객체의하위에위치 속성들은모두 태그의속성들의정보에관련된것

More information

슬라이드 1

슬라이드 1 13 장. 스윙사용방법 학습목표 레이아웃관리자 스윙구성요소 비트박스프로그램 스윙을알아봅시다 스윙구성요소 구성요소 (Component) 위젯 (widget) 이라고도부름 GUI에집어넣는모든것 텍스트필드, 버튼, 스크롤목록, 라디오버튼등 javax.swing.jcomponent 의하위클래스 대화형구성요소, 배경구성요소로나뉨 JButton JFrame JPanel

More information

10장.key

10장.key JAVA Programming 1 2 (Event Driven Programming)! :,,,! ( )! : (batch programming)!! ( : )!!!! 3 (Mouse Event, Action Event) (Mouse Event, Action Event) (Mouse Event, Container Event) (Key Event) (Key Event,

More information

교육자료

교육자료 THE SYS4U DODUMENT Java Reflection & Introspection 2012.08.21 김진아사원 2012 SYS4U I&C All rights reserved. 목차 I. 개념 1. Reflection 이란? 2. Introspection 이란? 3. Reflection 과 Introspection 의차이점 II. 실제사용예 1. Instance의생성

More information

- 다음은 Statement 객체를사용해서삽입 (insert) 작업의예 String sql = "insert into member(code, name, id, pwd, age) values ("; int id = 10; sql = sql + id +, ;// 항목사이에

- 다음은 Statement 객체를사용해서삽입 (insert) 작업의예 String sql = insert into member(code, name, id, pwd, age) values (; int id = 10; sql = sql + id +, ;// 항목사이에 Statement 객체와 PreparedStatement 객체 Connection 객체 - Connection 객체가생성되면데이터베이스에접근이가능해진다. - Connection 객체는자바와데이터베이스의접속된상태의객체를말한다. 데이터베이스에 DML작업을위해서는반드시접속을먼저해야한다. 그리고, 작업후에는반드시접속을해제한다. - Connection 객체를생성할때두개의문자열이필요하다.

More information

쉽게 풀어쓴 C 프로그래밍

쉽게 풀어쓴 C 프로그래밍 Power Java 제 11 장상속 이번장에서학습할내용 상속이란? 상속의사용 메소드재정의 접근지정자 상속과생성자 Object 클래스 종단클래스 상속을코드를재사용하기위한중요한기법입니다. 상속이란? 상속의개념은현실세계에도존재한다. 상속의장점 상속의장점 상속을통하여기존클래스의필드와메소드를재사용 기존클래스의일부변경도가능 상속을이용하게되면복잡한 GUI 프로그램을순식간에작성

More information

쉽게 풀어쓴 C 프로그래밍

쉽게 풀어쓴 C 프로그래밍 Power Java 제 23 장스레드 이번장에서학습할내용 스레드의개요 스레드의생성과실행 스레드상태 스레드의스케줄링 스레드간의조정 스레드는동시에여러개의프로그램을실행하는효과를냅니다. 멀티태스킹 멀티태스킹 (muli-tasking) 는여러개의애플리케이션을동시에실행하여서컴퓨터시스템의성능을높이기위한기법 스레드란? 다중스레딩 (multi-threading) 은하나의프로그램이동시에여러가지작업을할수있도록하는것

More information

Microsoft PowerPoint - 2강

Microsoft PowerPoint - 2강 컴퓨터과학과 김희천교수 학습개요 Java 언어문법의기본사항, 자료형, 변수와상수선언및사용법, 각종연산자사용법, if/switch 등과같은제어문사용법등에대해설명한다. 또한 C++ 언어와선언 / 사용방법이다른 Java의배열선언및사용법에대해서설명한다. Java 언어의효과적인활용을위해서는기본문법을이해하는것이중요하다. 객체지향의기본개념에대해알아보고 Java에서어떻게객체지향적요소를적용하고있는지살펴본다.

More information

chap 5: Trees

chap 5: Trees 5. Threaded Binary Tree 기본개념 n 개의노드를갖는이진트리에는 2n 개의링크가존재 2n 개의링크중에 n + 1 개의링크값은 null Null 링크를다른노드에대한포인터로대체 Threads Thread 의이용 ptr left_child = NULL 일경우, ptr left_child 를 ptr 의 inorder predecessor 를가리키도록변경

More information

제8장 자바 GUI 프로그래밍 II

제8장 자바 GUI 프로그래밍 II 제8장 MVC Model 8.1 MVC 모델 (1/7) MVC (Model, View, Controller) 모델 스윙은 MVC 모델에기초를두고있다. MVC란 Xerox의연구소에서 Smalltalk 언어를바탕으로사용자인터페이스를개발하기위한방법 MVC는 3개의구성요소로구성 Model : 응용프로그램의자료를표현하기위한모델 View : 자료를시각적으로 (GUI 방식으로

More information

C++ Programming

C++ Programming C++ Programming 예외처리 Seo, Doo-okok clickseo@gmail.com http://www.clickseo.com 목 차 예외처리 2 예외처리 예외처리 C++ 의예외처리 예외클래스와객체 3 예외처리 예외를처리하지않는프로그램 int main() int a, b; cout > a >> b; cout

More information

歯JavaExceptionHandling.PDF

歯JavaExceptionHandling.PDF (2001 3 ) from Yongwoo s Park Java Exception Handling Programming from Yongwoo s Park 1 Java Exception Handling Programming from Yongwoo s Park 2 1 4 11 4 4 try/catch 5 try/catch/finally 9 11 12 13 13

More information

PowerPoint Presentation

PowerPoint Presentation public class SumTest { public static void main(string a1[]) { int a, b, sum; a = Integer.parseInt(a1[0]); b = Integer.parseInt(a1[1]); sum = a + b ; // 두수를더하는부분입니다 System.out.println(" 두수의합은 " + sum +

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 Lecture 02 프로그램구조및문법 Kwang-Man Ko kkmam@sangji.ac.kr, compiler.sangji.ac.kr Department of Computer Engineering Sang Ji University 2018 자바프로그램기본구조 Hello 프로그램구조 sec01/hello.java 2/40 자바프로그램기본구조 Hello 프로그램구조

More information

자바-11장N'1-502

자바-11장N'1-502 C h a p t e r 11 java.net.,,., (TCP/IP) (UDP/IP).,. 1 ISO OSI 7 1977 (ISO, International Standards Organization) (OSI, Open Systems Interconnection). 6 1983 X.200. OSI 7 [ 11-1] 7. 1 (Physical Layer),

More information

public class FlowLayoutPractice extends JFrame { public FlowLayoutPractice() { super("flowlayout Practice"); this. Container contentpane = getcontentp

public class FlowLayoutPractice extends JFrame { public FlowLayoutPractice() { super(flowlayout Practice); this. Container contentpane = getcontentp 8 장 1 번 public class MyFrame extends JFrame { public MyFrame(String title) { super(title); this. setsize(400,200); new MyFrame("Let's study Java"); 2번 public class MyBorderLayoutFrame extends JFrame {

More information

Java

Java Java http://cafedaumnet/pway Chapter 1 1 public static String format4(int targetnum){ String strnum = new String(IntegertoString(targetNum)); StringBuffer resultstr = new StringBuffer(); for(int i = strnumlength();

More information

untitled

untitled - -, (insert) (delete) - - (insert) (delete) (top ) - - (insert) (rear) (delete) (front) A A B top A B C top push(a) push(b) push(c) A B top pop() top A B D push(d) top #define MAX_STACK_SIZE 100 int

More information

Microsoft Word - java18-1-final-answer.doc

Microsoft Word - java18-1-final-answer.doc 기말고사 담당교수 : 단국대학교응용컴퓨터공학박경신 답은반드시답안지에기술할것. 공간이부족할경우반드시답안지몇쪽의뒤에있다고명기한후기술할것. 그외의경우의답안지뒤쪽이나연습지에기술한내용은답안으로인정안함. 답에는반드시네모를쳐서확실히표시할것. 답안지에학과, 학번, 이름외에본인의암호 (4자리숫자 ) 를기입하면성적공고시학번대신암호를사용할것임. 1. 다음 sub1 과 sub2

More information

12-file.key

12-file.key 11 2 ,, (Generic) (Collection) : : : :? (String).. java.lang.stringbuffer. s String s = "abcd"; s = s + "e"; a b c d e a b c d e ,., "910359,, " "910359" " " " " (token) (token),, (delimiter). java.util.stringtokenizer

More information