VBA 프로그래밍의 기초

Size: px
Start display at page:

Download "VBA 프로그래밍의 기초"

Transcription

1

2

3

4 VBA? VBA. VBA. VBA. 4.x VBA VBA. VBA VBA. VBA,. VBA VBA. VBA., VBA. VBA (,, ). VBA.,. VBA,,. VBA,,,.

5 VBA,,...,. VBA.. VBA.

6 VBA. VBA......

7 . B Sub Macro1() ' ' Macro1 Macro ' pp () ' Range("B2").Select ActiveCell.FormulaR1C1 = " " Range("B2").Select Columns("B:B").EntireColumn.AutoFit With Selection.HorizontalAlignment = xlcenter.verticalalignment = xlcenter.wraptext = False.Orientation = 0.AddIndent = False.IndentLevel = 0.ShrinkToFit = False.ReadingOrder = xlcontext.mergecells = False End With With Selection.Font.Name = "".FontStyle = "".Size = 10.Strikethrough = False.Superscript = False.Subscript = False.OutlineFont = False.Shadow = False.Underline = xlunderlinestylenone.colorindex = xlautomatic End With Selection.Borders(xlDiagonalDown).LineStyle = xlnone Selection.Borders(xlDiagonalUp).LineStyle = xlnone

8 Selection.Borders(xlEdgeLeft).LineStyle = xlnone With Selection.Borders(xlEdgeTop).LineStyle = xldash.weight = xlthin.colorindex = 46 End With With Selection.Borders(xlEdgeBottom).LineStyle = xldouble.weight = xlthick.colorindex = 46 End With Selection.Borders(xlEdgeRight).LineStyle = xlnone With Selection.Interior.ColorIndex = 15.Pattern = xlsolid.patterncolorindex = xlautomatic End With End Sub VBA. VBA. VBA..... VBA. VBA.

9 VBA....

10 Sub Option1() Dim payoff Dim k Dim s Dim p Dim response As Double As Double As Double As Double As String p = 3000 k = payoff = payoff - p response = InputBox(" ",, k) If Len(response) = 0 Then Exit Sub s = CDbl(response) If s > k Then payoff = payoff + s - k End If MsgBox "Payoff is " & payoff End Sub Function VanillaPayoff(iOpt As Integer, s As Double, x As Double) If iopt = 1 Then VanillaPayoff = Max(s - x, 0) ElseIf iopt = -1 Then VanillaPayoff = Max(x - s, 0) End If End Function

11 Sub Option1() Dim payoff Dim k Dim s Dim p Dim response p = 3000 k = payoff = payoff - p As Double As Double As Double As Double As String response = InputBox(" ",, k) If Len(response) = 0 Then Exit Sub s = CDbl(response) If s > k Then payoff = payoff + s - k End If MsgBox "Payoff is " & payoff End Sub

12 Dim Arr1(10) As Double Dim Arr2(5) As Long Dim Arr3(1 To 10) As Double Dim Arr4(2 To 5) As Long Dim Arr5() As Double ReDim Arr5(11) Sub Historical_Volatility() Dim closeprice() As Double Dim yld() As Double Dim i As Long Dim stdev As Double Dim yld_year As Double ReDim closeprice(1 To 11) ReDim yld(2 To 11) closeprice(1) = 969 closeprice(2) = 989 closeprice(3) = 995 closeprice(4) = 957 closeprice(5) = 915 closeprice(6) = 880 closeprice(7) = 858 closeprice(8) = 859 closeprice(9) = 848 closeprice(10) = 836 closeprice(11) = 845

13 For i = LBound(closeprice) + 1 To UBound(closeprice) yld(i) = Log(closeprice(i) / closeprice(i - 1)) Next stdev = Application.WorksheetFunction.stdev(yld()) yld_year = stdev * Sqr(52) Debug.Print Format(stdev, "0.00%") Debug.Print Format(yld_year, "0.00%") End Sub LBound(Arr3) 1 UBound(Arr3) 10 LBound(Arr4) 2 UBound(Arr4) 5,,.

14 Sub demo_comparison_operators1() Debug.Print 1 > 2 'False. Debug.Print 3 < 4 'True. Debug.Print 5 <> 6 'True. End Sub Sub demo_comparison_operators2() Debug.Print "A" > "a" 'False. Debug.Print "A" < "B" 'True. Debug.Print "A" <> "a " 'True. End Sub

15 1.IF THEN ELSE A -21. If A>0 Then A If A>0 Then Then (MsgBox A is greater than zero ) ElseIf A<0 Then.

16 2.SELECT CASE Case 1 To 4, 7 To 9, 11, 13, Is >

17

18 1.FOR...NEXT Sub Historical_Volatility() Dim closeprice() As Double Dim yld() As Double Dim i As Long Dim stdev As Double Dim yld_year As Double ReDim closeprice(1 To 11) ReDim yld(2 To 11) closeprice(1) = 969 closeprice(2) = 989 closeprice(3) = 995 closeprice(4) = 957 closeprice(5) = 915 closeprice(6) = 880 closeprice(7) = 858 closeprice(8) = 859 closeprice(9) = 848 closeprice(10) = 836 closeprice(11) = 845 For i = LBound(closeprice) + 1 To UBound(closeprice) yld(i) = Log(closeprice(i) / closeprice(i - 1)) Next stdev = Application.WorksheetFunction.stdev(yld()) yld_year = stdev * Sqr(52)

19 Debug.Print Format(stdev, "0.00%") Debug.Print Format(yld_year, "0.00%") End Sub

20 2.FOR EACH IN~NEXT

21 3.DO...LOOP Do While~Loop (True) (False). Do Until~Loop (True). Do~Loop While (True) (False).

22 Do~Loop Until (True). Do~Loop. Do~Loop. Exit Do.

23 StrComp() Sub demostrcomp() Dim MyStr1 As String Dim MyStr2 As String MyStr1 = "ABCD" MyStr2 = "abcd" 'Text, 0 MsgBox StrComp(MyStr1, MyStr2, 1) ', -1 MyStr1 MyStr2. MsgBox StrComp(MyStr1, MyStr2, 0) ' Option Compare. MsgBox StrComp(MyStr1, MyStr2) End Sub

24 StrConv( ) Sub demostrconv() MsgBox StrConv("upper case", vbuppercase) MsgBox StrConv("LOWER CASE", vblowercase) MsgBox StrConv("proper case", vbpropercase) MsgBox StrConv("wide", vbwide) MsgBox StrConv("", vbnarrow) End Sub Len( )

25 If TestStr= Then End If If Len(TestStr)=0 Then End If Sub demolen() MsgBox Len("ABCD") MsgBox Len("AB CD") MsgBox Len("") End Sub Format( )

26

27 InStr( ) InStr InStr (1, "Tech on the Net", "the") 9. InStr ("Tech on the Net", "the") 9. InStr (10, "Tech on the Net", "t") 15. Left( )

28 MsgBox Left( This is a Test,2) Mid( ) MsgBox Mid( This is a Test, 6, 2) Right( ) MsgBox Right( This is a Test, 2) LTrim, Trim, RTrim Sub demotrim() MsgBox LTrim(" This is a test. ") MsgBox Trim(" This is a test. ") MsgBox RTrim(" This is a test. ") End Sub

29

30 <-Date > Sub demopresent()

31 Dim a As Date a = Now MsgBox a a = Date MsgBox a a = Time MsgBox a End Sub Sub demoadjustsystemclock() Date = #8/23/98# Time = #12:00:00 AM# MsgBox Now End Sub Sub demodatevalue( ) MsgBox DateValue(Now) End Sub Sub demotimevalue( ) MsgBox TimeValue(Now) End Sub

32 Sub demodatefunctions() MsgBox Year(Now) MsgBox Month(Now) MsgBox Day(Now) MsgBox Hour(Now) MsgBox Minute(Now) MsgBox Second(Now) End Sub

33 Sub demoweekday() Select Case WeekDay(Now) Case vbsunday MsgBox "Today is Sunday" Case vbmonday MsgBox "Today is Monday" Case vbtuesday MsgBox "Today is Tuesday" Case vbwednesday MsgBox "Today is Wednesday" Case vbthursday MsgBox "Today is Thursday" Case vbfriday MsgBox "Today is Friday" Case vbsaturday MsgBox "Today is Saturday" End Select End Sub Sub demodatepart() MsgBox DatePart("yyyy", Now) MsgBox DatePart("q", Now) MsgBox DatePart("m", Now) MsgBox DatePart("y", Now) MsgBox DatePart("d", Now) MsgBox DatePart("w", Now) MsgBox DatePart("ww", Now) MsgBox DatePart("h", Now)

34 MsgBox DatePart("n", Now) MsgBox DatePart("s", Now) End Sub Sub demodateserial() Dim dtedate As Date dtedate = DateSerial("2002", "5", "19") Debug.Print dtedate End Sub

35 Sub demodateadd() Dim OneYearLater As Date OneYearLater = DateAdd("yyyy", 1, Now) Select Case WeekDay(OneYearLater) Case vbsunday MsgBox "This day of the next year is Sunday"

36 Case vbmonday MsgBox "This day of the next year is Monday" Case vbtuesday MsgBox "This day of the next year is Tuesday" Case vbwednesday MsgBox "This day of the next year is Wednesday" Case vbthursday MsgBox "This day of the next year is Thursday" Case vbfriday MsgBox "This day of the next year is Friday" Case vbsaturday MsgBox "This day of the next year is Saturday" End Select End Sub Sub demodatediff() Dim TheDate As Date TheDate = InputBox("Enter a date") MsgBox "Days from today: " & DateDiff("d", Now, TheDate) End Sub Sub demodatediff1() MsgBox DateDiff("h", #10:00:00 AM#, #12:59:59 PM#) End Sub

37 Sub demodatediff2() MsgBox DateDiff("m", #7/30/98#, #8/1/98#) End Sub

38 Sub demoatan( ) MsgBox "(PI) " & 4 * Atn(1) & "" End Sub

39

40

41

42

43 Dim hfile As Long hfile=freefile

44 Open "TESTFILE" For Input As #1 '. Close #1 Open "TESTFILE" For Output Shared As #1 '. Close #1 Open "TESTFILE" For Binary Access Write As #1 '. Close #1

45 Open "TESTFILE" For Binary Access Read Lock Read As #1 Input Input. TESTFILE. Dim MyChar Open "TESTFILE" For Input As #1 '. Do While Not EOF(1) '. MyChar = Input(1, #1) '. Debug.Print MyChar '. Loop Close #1 '. input# Dim ifilenum As Integer Dim strname, strnumber, strdepart ' ifilenum = FreeFile

46 ' person.txt Open "Person.txt" For Input As ifilenum ' Input #ifilenum, strname, strnumber, strdepart ' txtname.text = strname : txtnumber.text = strnumber : txtdepart.text = strdepart Close ifilenum Line Input # Sub demo_lineinput() 'Open EOF. ' Close. ' Line Input #. 'File_Data. 'Line Input #. ' vbcrlf. '. 'Line Input # Print #. 'File_Data [ ]. Dim File_Line Dim File_Data Dim fn As String As String As Long fn = FreeFile '. Open "test.txt" For Input As #fn '. Do While Not EOF(fn) Line Input #fn, File_Line File_Line = File_Line & vbcrlf File_Data = File_Data & File_Line Loop

47 '. Close #fn '. Debug.Print File_Data End Sub Print # Sub demo_print() Open "TESTFILE.txt" For Output As #1 '. Print #1, "This is a test" '. Print #1, '. Print #1, "Zone 1"; Tab; "Zone 2" '. Print #1, "Hello"; " "; "World" '. Print #1, Spc(5); "5 leading spaces " ' 5. Print #1, Tab(10); "Hello" ' 10. ' Boolean, Date, Null Error. Dim MyBool, MyDate, MyNull, MyError MyBool = False MyDate = #2/12/1969# MyNull = Null MyError = CVErr(32767) ' True, False, Null Error '. Print #1, MyBool; " is a Boolean value" Print #1, MyDate; " is a date" Print #1, MyNull; " is a null value" Print #1, MyError; " is an error value" Close #1 ' End Sub Write #

48 Sub demo_write() Open "TESTFILE.txt" For Output As #1 '. Write #1, "Hello World", 234 '. Write #1, '. Dim MyBool, MyDate, MyNull, MyError ' Boolean, Date, Null Error. MyBool = False MyDate = #2/12/1969# MyNull = Null MyError = CVErr(32767) ' Boolean #TRUE# #FALSE#. '. # # ' Null #NULL#. ' Error #ERROR errorcode#. Write #1, MyBool; " is a Boolean value" Write #1, MyDate; " is a date" Write #1, MyNull; " is a null value" Write #1, MyError; " is an error value" Close #1 End Sub '. Dim FileLength Open "TESTFILE" For Input As #1 '. FileLength = LOF(1) '. Close #1 '. MySize = FileLen("TESTFILE") ' ()

49 Dim InputData Open "MYFILE" For Input As #1 '. Do While Not EOF(1) '. Line Input #1, InputData '. Debug.Print InputData '. Loop Close #1 '. filetoopen = Application.GetOpenFilename("Text Files (*.txt), *.txt") If filetoopen <> False Then

50 MsgBox "Open " & filetoopen End If <- >

51 <- > Sub () Dim sht As Worksheet

52 Dim col As Long Dim s Dim k Dim T Dim r Dim v Dim d1 Dim d2 Dim c As Double As Double As Double As Double As Double As Double As Double As Double col = 3 Set sht = Sheet1 s = Sheet1.Cells(16, col).value k = Sheet1.Cells(17, col).value r = Sheet1.Cells(18, col).value T = Sheet1.Cells(19, col).value v = Sheet1.Cells(20, col).value d1 = Log(s / k) + (r + Application.WorksheetFunction.Power(v, 2) * 0.5) * T d1 = d1 / (v * Sqr(T)) d2 = d1 - v * Sqr(T) With Application.WorksheetFunction c = s *.NormSDist(d1) - k * Exp(-r * T) *.NormSDist(d2) End With Sheet1.Cells(22, col) = c End Sub Dim sht As Worksheet Set sht = Sheet1

53 <- > Dim col As Long

54 col = 3 s = Sheet1.Cells(16, col) k = Sheet1.Cells(17, col) r = Sheet1.Cells(18, col) T = Sheet1.Cells(19, col) v = Sheet1.Cells(20, col) Sheet1.Cells(22, col) = c

55 <- >

56 /

歯엑셀모델링

歯엑셀모델링 I II II III III I VBA Understanding Excel VBA - 'VB & VBA In a Nutshell' by Paul Lomax, October,1998 To enter code: Tools/Macro/visual basic editor At editor: Insert/Module Type code, then compile by:

More information

[ASP: 그림 2-2] date.asp 실행결과 DateAdd 지정된날짜에시간을추가하거나뺀새로운날짜를반환한다. 구문 : DateAdd(interval, number, date) interval : 필수적인인수로 interval 을추가한날짜를나타내는문자식이다. 그값에대

[ASP: 그림 2-2] date.asp 실행결과 DateAdd 지정된날짜에시간을추가하거나뺀새로운날짜를반환한다. 구문 : DateAdd(interval, number, date) interval : 필수적인인수로 interval 을추가한날짜를나타내는문자식이다. 그값에대 날짜와시간함수 h1. 날짜와시간함수 날짜와시간에관련된내용을표현하는함수들도 ASP 에서는중요한비중을가진다. 시스템에서제공하지못하는여러가지기능들을이런함수들을통해서구현이가능하다. 특히날짜연산에대한코드작성시많은도움을얻을수있는날짜와시간함수들에대해서알아보자. CDate Date 하위형식의 Variant 로변환된식을반환한다. 구문 : CDate(date) date 인수는유효한날짜식이면된다.

More information

Hanyang Volunteer Corps volunteer image

Hanyang Volunteer Corps volunteer image Volunteer Hanyang Volunteer Corps volunteer image Volunteer Interview 1 4 5 6 7 Volunteer Interview 1 Volunteer Interview 2 8 9 11 10 Volunteer Interview 2 12 13 Sunday Monday Tuesday Wednesday Thursday

More information

06.._........_12...._....

06.._........_12...._.... 2006 December12 66 32 CONTENTS 04 Spirit 06 10 14 18 Special 20 Mission 28 32 35 Culture 38 40 42 46 47 People 48 50 69 48 28 People 52 Education 53 54 News 56 57 58 63 65 66 68 69 Heart 70 74 www.juan.or.kr/joy

More information

F.

F. www.i815.or.kr 2004 12 04 08 10 12 14 16 18 20 23 25 28 31 33 34 35 37 38 41 50 200412 vol. 202 (kye@i815.or.kr 041-560-0244) 4 www.i815.or.kr 2004 December 5 6 www.i815.or.kr 2004 December 7 8 www.i815.or.kr

More information

06³â_±â»ÝÀÇ»ù_10¿ùÈ£_À¥Áø

06³â_±â»ÝÀÇ»ù_10¿ùÈ£_À¥Áø 2006 October10 66 62 CONTENTS 04 Spirit 06 10 14 18 Special 20 Mission 26 30 32 Culture 34 36 38 42 43 People 44 46 65 44 26 People 48 50 Education 51 52 News 54 55 56 60 62 64 65 66 Heart 68 71 72 www.juan.or.kr/joy

More information

....2....

....2.... 11-B370008-000001-06 www.i815.or.kr 02 2005 04 06 08 10 12 14 16 18 20 22 24 26 28 30 33 34 36 38 40 44 45 46 50 200502 vol. 204 (hjlim@i815.or.kr 041-560-0244) 4 www.i815.or.kr 2005 February 5 6 www.i815.or.kr

More information

¼�¼úÇüÁßÇг»Áö2µµ

¼�¼úÇüÁßÇг»Áö2µµ CONTENTS My Birthday Party Monday Tuesday Wednesday Thursday Friday 1 2 3 4 Susan is sick. She can't meet John today. She is calling

More information

y 0.5 9, 644 e = 10, y = ln = 3.6(%) , May. 20, 2005

y 0.5 9, 644 e = 10, y = ln = 3.6(%) , May. 20, 2005 8 116, May. 20, 2005 y 0.5 9, 644 e = 10, 000 1 9644 y = ln = 3.6(%) 0.5 10000 9 116, May. 20, 2005 y 0.5 9, 644 e = 10, 000 1 9644 y = ln = 3.6(%) 0.5 10000 1 FV r T = ln T PV 10 116, May. 20, 2005 Public

More information

(Microsoft PowerPoint - 2\300\345.ppt)

(Microsoft PowerPoint - 2\300\345.ppt) 2 장. ASP 를위한 VBScript 정보처리학과서보원교수 목차 서버스크립트 VBScript 변수 연산자 배열 제어문및반복문 프로시저 문자열함수 1 스크립트언어 간단한프로그래밍언어 인터프리트언어와유사한특성을갖고있음 Script 언어 vs. Programming 언어 표현력 용도난이도 스크립트언어 제한적특정용도쉬움 프로그래밍언어 풍부범용적어려움 VBScript

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

HWP Document

HWP Document 만델브로트 집합은 이주 간단한 복소수 점화식 (정확히 표현하면 이나 프로그래밍 편의상 간단히 로 표현하는 것으로 한다)에서 출발한다. 에서 의 초기값을 로 하여 점화식을 계속 반복하여 계산한다. 그 결과 는 값에 따라 하나의 값으로 수렴하기도 하고, 여러 값 사이를 순환적으로 왔다 갔다 하기도 하고 카오스적인 값이 반복되기도 한다. 만델브로트 집합에서도 기본

More information

기본문법1

기본문법1 3 장비주얼베이직 6.0 문법 3-1 객체지향프로그래밍 (OOP) 의개념 정의 장점 Windows 환경에서절차적인과정을따르지않고시각적인객체를중심으로프로그램을제어하는기법 을이용한프로그래밍 새로운기능의추가로인해기존코드의수정이거의없어유지보수가용이 한번작성한객체는다시재사용이가능 객체 속성과메소드를포함하는하나의실체로표현. 그실체는어떤사물일수도있고추상적인존재 예로명령버튼의

More information

???? 1

???? 1 제주가정위탁지원센터 소식지 2016 봄호 Vol. 55 4 편집위원장의 편지 내년 봄은 슬프지 않고 기쁘게 맞을 수 있기를 _ 김형훈 6 함께 읽는 시 오늘 밤 비 내리고 _ 강덕환 아이플러스 8 평범한 아빠의 특별한 감동 (13) 처음이라서 그래 _ 홍기확 10 아이와 함께 (21) 사랑의 화분 만들기 _ 강선미 12 김형훈의 동화 속 아이들 (25) 김미희의

More information

C++-¿Ïº®Çؼ³10Àå

C++-¿Ïº®Çؼ³10Àå C C++. (preprocessor directives), C C++ C/C++... C++, C. C++ C. C C++. C,, C++, C++., C++.,.. #define #elif #else #error #if #itdef #ifndef #include #line #pragma #undef #.,.,. #include #include

More information

해양모델링 2장5~18 2012.7.27 12:26 AM 페이지6 6 오픈소스 소프트웨어를 이용한 해양 모델링 2.1.2 물리적 해석 식 (2.1)의 좌변은 어떤 물질의 단위 시간당 변화율을 나타내며, 우변은 그 양을 나타낸 다. k 5 0이면 C는 처음 값 그대로 농

해양모델링 2장5~18 2012.7.27 12:26 AM 페이지6 6 오픈소스 소프트웨어를 이용한 해양 모델링 2.1.2 물리적 해석 식 (2.1)의 좌변은 어떤 물질의 단위 시간당 변화율을 나타내며, 우변은 그 양을 나타낸 다. k 5 0이면 C는 처음 값 그대로 농 해양모델링 2장5~18 2012.7.27 12:26 AM 페이지5 02 모델의 시작 요약 이 장에서는 감쇠 문제를 이용하여 여러분을 수치 모델링 세계로 인도한다. 유한 차분법 의 양해법과 음해법 그리고 일관성, 정확도, 안정도, 효율성 등을 설명한다. 첫 번째 수치 모델의 작성과 결과를 그림으로 보기 위해 FORTRAN 프로그램과 SciLab 스크립트가 사용된다.

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

Microsoft Word - 강의록1.doc

Microsoft Word - 강의록1.doc 기본및활용 성균관대학교보험계리학과특강 중앙대학교통계학과 성병찬 E mail: bcseong@cau.ac.kr & Tel: 02 820 5216 목차 1. VBA의개념 2. 매크로또는모듈기록하기 3. 프로그래밍을위한주요구문및요소들 4. 활용예제 2/26 추천서적및웹사이트 - John Walkenbach, Excel Power Programming with VBA

More information

1

1 Seoul Bar Association 2014. 11. 2014.11 Sunday Monday Tuesday Wednesday Thursday Friday Saturday 01 02 03 04 05 06 07 08 09 10 11 12 13 14 15 16 17 18 19 20 21 22 23 30 24 25 26 27 28 29 2014.12 Sunday

More information

윈도우즈프로그래밍(1)

윈도우즈프로그래밍(1) 제어문 (2) For~Next 문 윈도우즈프로그래밍 (1) ( 신흥대학교컴퓨터정보계열 ) 2/17 Contents 학습목표 프로그램에서주어진특정문장을부분을일정횟수만큼반복해서실행하는문장으로 For~Next 문등의구조를이해하고활용할수있다. 내용 For~Next 문 다중 For 문 3/17 제어문 - FOR 문 반복문 : 프로그램에서주어진특정문장들을일정한횟수만큼반복해서실행하는문장

More information

Microsoft PowerPoint - Computer - chapter04.ppt [호환 모드]

Microsoft PowerPoint - Computer - chapter04.ppt [호환 모드] Computer I Chapter 04. 제어문과배열 Spring, 2015 박정근교수 04-01. 01. 조건문에따라처리하기 조건문 조건문 조건에따라두가지이상서로다르게처리하는구문 조건문의종류 IF 문 IF~Then 형식 IF~Then~Else 형식 Select Case 문 3 IF 문 (If~Then 형식 ) If~Then 형식 If 조건식 Then 조건식을만족할때의실행문

More information

遺꾨떦?쒖?532.ps, page 1 @ Normalize

遺꾨떦?쒖?532.ps, page 1 @ Normalize 분당표지532 2011.6.17 10:52 PM 페이지1 B U N D A N G w w w. i d w e e k l y. c o m 대한한의사협회 의료광고심의필 제 110318-중-8361호 진료내용 대한의사협회 의료광고심의필 제 100825-중-19426호 기사 제보 및 광고문의 031-717-4981 Kim Gyu Ri No. 532 2011.6.20~2011.6.26

More information

遺꾨떦?쒖? 540.ps, page 1 @ Normalize

遺꾨떦?쒖? 540.ps, page 1 @ Normalize w w w. i d w e e k l y. c o m Kim Ha Neul No.540 2011.8.22~2011.8.28 01 만경수사 2011.8.19 8:16 PM 페이지1 Opinion COLUMN August. 22. 2011 02 C o n t e n t s OPINION COLUMN 2p SPECIAL THEME PEOPLE 4p - 5p 6p

More information

歯9장.PDF

歯9장.PDF 9 Hello!! C printf() scanf() getchar() putchar() gets() puts() fopen() fclose() fprintf() fscant() fgetc() fputs() fgets() gputs() fread() fwrite() fseek() ftell() I/O 2 (stream) C (text stream) : `/n'

More information

遺꾨떦?쒖?526.ps, page 1 @ Normalize

遺꾨떦?쒖?526.ps, page 1 @ Normalize w w w. i d w e e k l y. c o m idweekly.com/food idweekly.com/m/food Choi Daniel No.526 2011.5.9~2011.5.15 SUIE MATH, STRATEGIC EDUCATION WWW.SUIE.CO.KR Opinion COLUMN May. 09. 2011 02 C o n t e n t s

More information

02 而щ읆.ps, page Normalize

02 而щ읆.ps, page Normalize w w w. i d w e e k l y. c o m Park Sin Hye No.533 2011.6.27~2011.7.3 SUIE MATH, STRATEGIC EDUCATION WWW.SUIE.CO.KR Opinion COLUMN June. 27. 2011 02 C o n t e n t s OPINION COLUMN 2p SPECIAL THEME HEALTH

More information

Microsoft PowerPoint - 3ÀÏ°_º¯¼ö¿Í »ó¼ö.ppt

Microsoft PowerPoint - 3ÀÏ°_º¯¼ö¿Í »ó¼ö.ppt 변수와상수 1 변수란무엇인가? 변수 : 정보 (data) 를저장하는컴퓨터내의특정위치 ( 임시저장공간 ) 메모리, register 메모리주소 101 번지 102 번지 변수의크기에따라 주로 byte 단위 메모리 2 기본적인변수형및변수의크기 변수의크기 해당컴퓨터에서는항상일정 컴퓨터마다다를수있음 short

More information

10주차.key

10주차.key 10, Process synchronization (concurrently) ( ) => critical section ( ) / =>, A, B / Race condition int counter; Process A { counter++; } Process B { counter ;.. } counter++ register1 = counter register1

More information

遺꾨떦?쒖?525.ps, page 1 @ Normalize

遺꾨떦?쒖?525.ps, page 1 @ Normalize Yeo Won No.525 2011.5.2~2011.5.8 www.bundangye.com Opinion COLUMN May. 02. 2011 02 C o n t e n t s OPINION COLUMN 2p SPECIAL THEME LIVING 4-5p 6p 8p LOCAL NEWS 10p 11p 12p LIVING LIVING INFO 16p FOOD

More information

Modern Javascript

Modern Javascript ES6 - Arrow Function Class Template String Destructuring Default, Rest, Spread let, const for..of Promises Module System Map, Set * Generator * Symbol * * https://babeljs.io/ Babel is a JavaScript compiler.

More information

歯처리.PDF

歯처리.PDF E06 (Exception) 1 (Report) : { $I- } { I/O } Assign(InFile, InputName); Reset(InFile); { $I+ } { I/O } if IOResult 0 then { }; (Exception) 2 2 (Settling State) Post OnValidate BeforePost Post Settling

More information

Visual Basic 반복문

Visual Basic 반복문 학습목표 반복문 For Next문, For Each Next문 Do Loop문, While End While문 구구단작성기로익히는반복문 2 5.1 반복문 5.2 구구단작성기로익히는반복문 3 반복문 주어진조건이만족하는동안또는주어진조건이만족할때까지일정구간의실행문을반복하기위해사용 For Next For Each Next Do Loop While Wend 4 For

More information

PART 1 CHAPTER 1 Chapter 1 Note 4 Part 1 5 Chapter 1 AcctNum = Table ("Customer").Cells("AccountNumber") AcctNum = Customer.AccountNumber Note 6 RecordSet RecordSet Part 1 Note 7 Chapter 1 01:

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

분당표지522.ps, page 1 @ Normalize

분당표지522.ps, page 1 @ Normalize Jeon No Min No.522 2011.4.11~2011.4.17 SUIE MATH, STRATEGIC EDUCATION WWW.SUIE.CO.KR Opinion COLUMN April. 11. 2011 02 C o n t e n t s OPINION COLUMN 2p SPECIAL THEME LIVING 4-5p 6p 8p NEWS LOCAL 10p

More information

Javascript.pages

Javascript.pages JQuery jquery part1 JavaScript : e-mail:leseraphina@naver.com http://www.webhard.co.kr I.? 2 ......,,. : : html5 ; ; .

More information

01 遺꾨떦?쒖?544.ps, page 1 @ Normalize

01 遺꾨떦?쒖?544.ps, page 1 @ Normalize w w w. i d w e e k l y. c o m Kwon Sang Woo No.544 2011.9.26~2011.10.3 www.bundangye.com Opinion COLUMN September. 26. 2011 02 C o n t e n t s OPINION COLUMN 2p SPECIAL THEME EDUCATION 4p - 5p 6p 8p

More information

Week5

Week5 Week 05 Iterators, More Methods and Classes Hash, Regex, File I/O Joonhwan Lee human-computer interaction + design lab. Iterators Writing Methods Classes & Objects Hash File I/O Quiz 4 1. Iterators Array

More information

분당표지 516.ps, page 1 @ Normalize

분당표지 516.ps, page 1 @ Normalize www.idweekly.com Park Yong Woo www.happydoctor.co.kr No.516 2011.2.28~2011.3.6 SUIE MATH, STRATEGIC EDUCATION WWW.SUIE.CO.KR www.thebowlntea.com 031)712-4056 031)708-2238 031)896-4485 Opinion COLUMN February.

More information

歯VB강좌5.PDF

歯VB강좌5.PDF Spread Sheet ActiveX ActiveX 100 AcriveX MSFlexGrid MSFlexGrid, Spread sheet Spread sheet sheet MDI 1 Spread sheet MDI (Name) MDI From frmminisheet Caption Mini sheet CommonDialog cdlfile 1 Spread sheet

More information

HW5 Exercise 1 (60pts) M interpreter with a simple type system M. M. M.., M (simple type system). M, M. M., M.

HW5 Exercise 1 (60pts) M interpreter with a simple type system M. M. M.., M (simple type system). M, M. M., M. 오늘할것 5 6 HW5 Exercise 1 (60pts) M interpreter with a simple type system M. M. M.., M (simple type system). M, M. M., M. Review: 5-2 7 7 17 5 4 3 4 OR 0 2 1 2 ~20 ~40 ~60 ~80 ~100 M 언어 e ::= const constant

More information

T100MD+

T100MD+ User s Manual 100% ) ( x b a a + 1 RX+ TX+ DTR GND TX+ RX+ DTR GND RX+ TX+ DTR GND DSR RX+ TX+ DTR GND DSR [ DCE TYPE ] [ DCE TYPE ] RS232 Format Baud 1 T100MD+

More information

Microsoft PowerPoint - e pptx

Microsoft PowerPoint - e pptx Import/Export Data Using VBA Objectives Referencing Excel Cells in VBA Importing Data from Excel to VBA Using VBA to Modify Contents of Cells 새서브프로시저작성하기 프로시저실행하고결과확인하기 VBA 코드이해하기 Referencing Excel Cells

More information

EBS-PDF컴퓨터일반-07-오

EBS-PDF컴퓨터일반-07-오 www.ebsi.co.kr 13 11 US US US US 2009 1 15 2009 3 24 US 1G 2G 4 US 2.0 12 (Filter) 14 조건 10 g 1000 5000 kg 10000 구매 리스트 (15) g 1kg (10) (14) kg RM HDD DVD 200,000 210,000 233,000 235,000 240,000 1 15 (가)

More information

프로그램을 학교 등지에서 조금이라도 배운 사람들을 위한 프로그래밍 노트 입니다. 저 역시 그 사람들 중 하나 입니다. 중고등학교 시절 학교 도서관, 새로 생긴 시립 도서관 등을 다니며 책을 보 고 정리하며 어느정도 독학으르 공부하긴 했지만, 자주 안하다 보면 금방 잊어

프로그램을 학교 등지에서 조금이라도 배운 사람들을 위한 프로그래밍 노트 입니다. 저 역시 그 사람들 중 하나 입니다. 중고등학교 시절 학교 도서관, 새로 생긴 시립 도서관 등을 다니며 책을 보 고 정리하며 어느정도 독학으르 공부하긴 했지만, 자주 안하다 보면 금방 잊어 개나리 연구소 C 언어 노트 (tyback.egloos.com) 프로그램을 학교 등지에서 조금이라도 배운 사람들을 위한 프로그래밍 노트 입니다. 저 역시 그 사람들 중 하나 입니다. 중고등학교 시절 학교 도서관, 새로 생긴 시립 도서관 등을 다니며 책을 보 고 정리하며 어느정도 독학으르 공부하긴 했지만, 자주 안하다 보면 금방 잊어먹고 하더라구요. 그래서,

More information

분당표지518.ps, page 1 @ Normalize

분당표지518.ps, page 1 @ Normalize www.idweekly.com Han Hye Jin No.518 2011.03.14~2011. 03.20 SUIE MATH, STRATEGIC EDUCATION WWW.SUIE.CO.KR Opinion COLUMN March. 14. 2011 02 C o n t e n t s OPINION COLUMN 2p SPECIAL THEME LIVING 4-5p

More information

遺꾨떦?쒖?530.ps, page 1 @ Normalize

遺꾨떦?쒖?530.ps, page 1 @ Normalize w w w. i d w e e k l y. c o m Ham eun jung No.530 2011.6.7~2011.6.12 www.bundangye.com WWW.SUIE.CO.KR 01 이수근양평막국수 530 2011.6.3 3:51 PM 페이지1 Opinion COLUMN June. 07. 2011 02 C o n t e n t s OPINION COLUMN

More information

USB2

USB2 USB2.0 KIT 용 적외선 온도센서와 온/습도 센서 보드 1. 주의 사항(필독) 2. 시스템 구성 3. USB 프로그램 다운로드 방법 4, PC 프로그램 5. PC Library 사용방법 6. 상품 구입시 회 사 명 : IESystems Website : www.iesystems.co.kr Email : matrixhj@iesystems.co.kr 전화번호

More information

EBS직탐컴퓨터일반-06-OK

EBS직탐컴퓨터일반-06-OK ES 컴퓨터 일반 6회 시간 분 배점 점 문항에 따라 배점이 다르니, 각 물음의 끝에 표시된 배점을 참고하시오. 점 문항에만 점수가 표시되어 있습니다. 점수 표시가 없는 문항은 모두 점씩입니다. 은,, 에서 입력받아 를 출력하는 스위치 회로이다. 스위치 회로를 논리 기호로 표시한 것으로 옳은 것은? 다음은 정보 통신망을 사용한 사례이다. 법적으로 처벌받을

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 Pairwise Tool & Pairwise Test NuSRS 200511305 김성규 200511306 김성훈 200614164 김효석 200611124 유성배 200518036 곡진화 2 PICT Pairwise Tool - PICT Microsoft 의 Command-line 기반의 Free Software www.pairwise.org 에서다운로드후설치

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

untitled

untitled 자료형 기본자료형 : char, int, float, double 등 파생자료형 : 배열, 열거형, 구조체, 공용체 vs struct 구조체 _ 태그 _ 이름 자료형멤버 _ 이름 ; 자료형멤버 _ 이름 ;... ; struct student int number; // char name[10]; // double height; // ; // x값과 y값으로이루어지는화면의좌표

More information

슬라이드 1

슬라이드 1 / 유닉스시스템개요 / 파일 / 프로세스 01 File Descriptor file file descriptor file type unix 에서의파일은단지바이트들의나열임 operating system 은파일에어떤포맷도부과하지않음 파일의내용은바이트단위로주소를줄수있음 file descriptor 는 0 이나양수임 file 은 open 이나 creat 로 file

More information

Let G = (V, E) be a connected, undirected graph with a real-valued weight function w defined on E. Let A be a set of E, possibly empty, that is includ

Let G = (V, E) be a connected, undirected graph with a real-valued weight function w defined on E. Let A be a set of E, possibly empty, that is includ 알고리즘설계와분석 (CSE3081(2 반 )) 기말고사 (2016년 12월15일 ( 목 ) 오전 9시40분 ~) 담당교수 : 서강대학교컴퓨터공학과임인성 < 주의 > 답안지에답을쓴후제출할것. 만약공간이부족하면답안지의뒷면을이용하고, 반드시답을쓰는칸에어느쪽의뒷면에답을기술하였는지명시할것. 연습지는수거하지않음. function MakeSet(x) { x.parent

More information

<32B1B3BDC32E687770>

<32B1B3BDC32E687770> 008년도 상반기 제회 한 국 어 능 력 시 험 The th Test of Proficiency in Korean 일반 한국어(S-TOPIK 중급(Intermediate A 교시 이해 ( 듣기, 읽기 수험번호(Registration No. 이 름 (Name 한국어(Korean 영 어(English 유 의 사 항 Information. 시험 시작 지시가 있을

More information

untitled

untitled 9 hamks@dongguk.ac.kr : Source code Assembly language code x = a + b; ld a, %r1 ld b, %r2 add %r1, %r2, %r3 st %r3, x (Assembler) (bit pattern) (machine code) CPU security (code generator).. (Instruction

More information

기초컴퓨터프로그래밍

기초컴퓨터프로그래밍 구조체 #include int main() { } printf("structure\n"); printf("instructor: Keon Myung Lee\n"); return 0; 내용 구조체 (struct) Typedef 공용체 (union) 열거형 (enum) 구조체 구조체 (structure) 어떤대상을표현하는서로연관된항목 ( 변수 )

More information

학습목표 배열에대해서안다. 언어통합질의 (LINQ) 에대해서안다. 2

학습목표 배열에대해서안다. 언어통합질의 (LINQ) 에대해서안다. 2 학습목표 배열에대해서안다. 언어통합질의 (LINQ) 에대해서안다. 2 7.1 배열 7.2 언어통합질의 (LINQ) 3 배열 - 필요성 100 명의이름과국어, 영어, 수학과목에대한각각의합계와평균계산을위한프로그램? name_1 name_2 name_100 kuk_1 kuk_2 kuk_100? young_1 4 배열 -? name_1 name_2 name_100

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

서울의 바람 wind+want http://sculture.seoul.go.kr 일 시 3.9(수)~5.8(일) 09:00~18:00 장 소 서울시청 8층 하늘광장 갤러리 문 의 2133-5641 입장료 내 용 재개발의 바람, 금전적인 욕망, 건강에 대한 개인적인 소망

서울의 바람 wind+want http://sculture.seoul.go.kr 일 시 3.9(수)~5.8(일) 09:00~18:00 장 소 서울시청 8층 하늘광장 갤러리 문 의 2133-5641 입장료 내 용 재개발의 바람, 금전적인 욕망, 건강에 대한 개인적인 소망 서울시가 드리는 2016 + 4 문화예술프로그램 서울특별시 https://sculture.seoul.go.kr 서울의 바람 wind+want http://sculture.seoul.go.kr 일 시 3.9(수)~5.8(일) 09:00~18:00 장 소 서울시청 8층 하늘광장 갤러리 문 의 2133-5641 입장료 내 용 재개발의 바람, 금전적인 욕망, 건강에

More information

chap7.key

chap7.key 1 7 C 2 7.1 C (System Calls) Unix UNIX man Section 2 C. C (Library Functions) C 1975 Dennis Ritchie ANSI C Standard Library 3 (system call). 4 C?... 5 C (text file), C. (binary file). 6 C 1. : fopen( )

More information

sms_SQL.hwp

sms_SQL.hwp SMS+LMS 사용설명서 MSSQL + MYSQL (Table 연동방식) Insert 문장만으로귀사의전산시스템과연동하여 대량의문자메시지(SMS) 를저렴하고, 빠르고자동으로발송할수있는 문자메시지전송시스템을개발할수있습니다. 실행파일(exe) 파일을에디터로열어보시고 아이디, 비밀번호가노출되지않는지꼭확인해보시기바랍니다 2008. 11. 1. 발송 Table Table

More information

학습목표 함수프로시저, 서브프로시저의의미를안다. 매개변수전달방식을학습한다. 함수를이용한프로그래밍한다. 2

학습목표 함수프로시저, 서브프로시저의의미를안다. 매개변수전달방식을학습한다. 함수를이용한프로그래밍한다. 2 학습목표 함수프로시저, 서브프로시저의의미를안다. 매개변수전달방식을학습한다. 함수를이용한프로그래밍한다. 2 6.1 함수프로시저 6.2 서브프로시저 6.3 매개변수의전달방식 6.4 함수를이용한프로그래밍 3 프로시저 (Procedure) 프로시저 (Procedure) 란무엇인가? 논리적으로묶여있는하나의처리단위 내장프로시저 이벤트프로시저, 속성프로시저, 메서드, 비주얼베이직내장함수등

More information

http://cafedaumnet/pway Chapter 1 Chapter 2 21 printf("this is my first program\n"); printf("\n"); printf("-------------------------\n"); printf("this is my second program\n"); printf("-------------------------\n");

More information

5.스택(강의자료).key

5.스택(강의자료).key CHP 5: https://www.youtube.com/watch?v=ns-r91557ds ? (stack): (LIFO:Last-In First-Out):. D C B C B C B C B (element) C (top) B (bottom) (DT) : n element : create() ::=. is_empty(s) ::=. is_full(s) ::=.

More information

K&R2 Reference Manual 번역본

K&R2 Reference Manual 번역본 typewriter structunion struct union if-else if if else if if else if if if if else else ; auto register static extern typedef void char short int long float double signed unsigned const volatile { } struct

More information

9

9 9 hamks@dongguk.ac.kr : Source code Assembly language code x = a + b; ld a, %r1 ld b, %r2 add %r1, %r2, %r3 st %r3, x (Assembler) (bit pattern) (machine code) CPU security (code generator).. (Instruction

More information

+변협사보 4월호

+변협사보 4월호 Seoul Bar Association 2014. 08. 06_ 07_ 08_ 13_ 14_ 16_ 18_ 23_ 26_ 28_ 30_ 32_ 33_ 34_ 36_ 38_ 45_ 48_ 49_ 58_ 62_ 68_ 2014 August_3 2014.08 Sunday Monday Tuesday Wednesday Thursday Friday Saturday 01

More information

<C0CCBCBCBFB52DC1A4B4EBBFF82DBCAEBBE7B3EDB9AE2D313939392D382E687770>

<C0CCBCBCBFB52DC1A4B4EBBFF82DBCAEBBE7B3EDB9AE2D313939392D382E687770> i ii iii iv v vi 1 2 3 4 가상대학 시스템의 국내외 현황 조사 가상대학 플랫폼 개발 이상적인 가상대학시스템의 미래상 제안 5 웹-기반 가상대학 시스템 전통적인 교수 방법 시간/공간 제약을 극복한 학습동기 부여 교수의 일방적인 내용전달 교수와 학생간의 상호작용 동료 학생들 간의 상호작용 가상대학 운영 공지사항,강의록 자료실, 메모 질의응답,

More information

목차 BUG 문법에맞지않는질의문수행시, 에러메시지에질의문의일부만보여주는문제를수정합니다... 3 BUG ROUND, TRUNC 함수에서 DATE 포맷 IW 를추가지원합니다... 5 BUG ROLLUP/CUBE 절을포함하는질의는 SUBQUE

목차 BUG 문법에맞지않는질의문수행시, 에러메시지에질의문의일부만보여주는문제를수정합니다... 3 BUG ROUND, TRUNC 함수에서 DATE 포맷 IW 를추가지원합니다... 5 BUG ROLLUP/CUBE 절을포함하는질의는 SUBQUE ALTIBASE HDB 6.3.1.10.1 Patch Notes 목차 BUG-45710 문법에맞지않는질의문수행시, 에러메시지에질의문의일부만보여주는문제를수정합니다... 3 BUG-45730 ROUND, TRUNC 함수에서 DATE 포맷 IW 를추가지원합니다... 5 BUG-45760 ROLLUP/CUBE 절을포함하는질의는 SUBQUERY REMOVAL 변환을수행하지않도록수정합니다....

More information

Çмú´ëȸ¿Ï¼º

Çмú´ëȸ¿Ï¼º 학술대회완성 2007.9.10 11:57 PM 페이지235 사진 4 해미읍성 전경(충남 역사문화원 제공) 남문과 서문 사이에는 문헌기록에 敵臺로 표현 된 鋪樓 2개소가 길이 7.9m~7.7m, 너비 7.5m~7.6m의 규모로 만들어졌다. 성 둘레에 적이 쉽게 접근하지 못하도록 탱자나무를 돌려 심었으므로 탱자성이라는 별칭이 있었다고 한 다. 성문은 동, 서,

More information

2012³â8¿ùÈ£˙ȸš

2012³â8¿ùÈ£˙ȸš 2012년8월호(33회) 2012.8.2 5:55 PM 페이지4 포시즌아트 4 특집 비눗방울 터널을 통과하며 즐거워하고 있는 유아부 월간 2012년 8월 5일 제33호 다윗처럼 골리앗을 무찌르자~(유아부) 꼬리잡기 놀이로 구원 열차에 탑승한 유치부 믿음의 어린이 만들어 교회학교 영적부흥 일군다 여름성경학교 개최 믿음의 어린이를 만드는데 여름성경학교만 한 것이

More information

1..

1.. Volume 12, Number 1, 6~16, Factors influencing consultation time and waiting time of ambulatory patients in a tertiary teaching hospital Jee-In Hwang College of Nursing Science, Kyung Hee University :

More information

Orcad Capture 9.x

Orcad Capture 9.x OrCAD Capture Workbook (Ver 10.xx) 0 Capture 1 2 3 Capture for window 4.opj ( OrCAD Project file) Design file Programe link file..dsn (OrCAD Design file) Design file..olb (OrCAD Library file) file..upd

More information

1차내지

1차내지 1»` 1904.1.1 10:39 AM ` 1 1»` 1904.1.1 10:39 AM ` 2 1»` 1904.1.1 10:39 AM ` 3 1»` 1904.1.1 10:39 AM ` 4 1»` 1904.1.1 10:39 AM ` 5 1»` 1904.1.1 10:39 AM ` 6 1»` 1904.1.1 10:39 AM ` 7 1»` 1904.1.1 10:39

More information

RYWKVGWKJOFY.hwp

RYWKVGWKJOFY.hwp 제 009학년도 11월고 전국연합학력평가문제지 ( ) 교시 성명수험번호 1. 그림은언어에관한수업장면을나타낸것이다. 선생님 의질문에옳게대답한학생만을있는대로고른것은?. 다음체험관요금안내문을바탕으로입장객을구별했을때, 무료 입장이가능한사람만을 < > 에서있는대로고른것은? [ 점] 주석문의특징에대해얘기해볼까요? 재민: 프로그램의실행과는무관합니다. 인경: 사용하기전에프로그램앞부분에선언해야합니다.

More information

......

...... CONTENTS Vol. 1 4 5 6 10 12 14 15 16 18 20 22 24 25 26 27 History 2000~2013 1958~1999 04 05 AM 06:30~07:00 AM 10:00~11:30 AM 07:00~08:00 PM 12:00~01:00 06 07 PM 02:00~03:00 PM 12:00~01:00 PM 12:30~01:30

More information

13주-14주proc.PDF

13주-14주proc.PDF 12 : Pro*C/C++ 1 2 Embeded SQL 3 PRO *C 31 C/C++ PRO *C NOT! NOT AND && AND OR OR EQUAL == = SQL,,, Embeded SQL SQL 32 Pro*C C SQL Pro*C C, C Pro*C, C C 321, C char : char[n] : n int, short, long : float

More information

untitled

untitled CAN BUS RS232 Line CAN H/W FIFO RS232 FIFO CAN S/W FIFO TERMINAL Emulator COMMAND Interpreter PROTOCOL Converter CAN2RS232 Converter Block Diagram > +- syntax

More information

PowerSHAPE 따라하기 Calculate 버튼을 클릭한다. Close 버튼을 눌러 미러 릴리프 페이지를 닫는다. D 화면을 보기 위하여 F 키를 누른다. - 모델이 다음과 같이 보이게 될 것이다. 열매 만들기 Shape Editor를 이용하여 열매를 만들어 보도록

PowerSHAPE 따라하기 Calculate 버튼을 클릭한다. Close 버튼을 눌러 미러 릴리프 페이지를 닫는다. D 화면을 보기 위하여 F 키를 누른다. - 모델이 다음과 같이 보이게 될 것이다. 열매 만들기 Shape Editor를 이용하여 열매를 만들어 보도록 PowerSHAPE 따라하기 가구 장식 만들기 이번 호에서는 ArtCAM V를 이용하여 가구 장식물에 대해서 D 조각 파트를 생성해 보도록 하겠다. 중심 잎 만들기 투 레일 스윕 기능을 이용하여 개의 잎을 만들어보도록 하겠다. 미리 준비된 Wood Decoration.art 파일을 불러온다. Main Leaves 벡터 레이어를 on 시킨다. 릴리프 탭에 있는

More information

PowerChute Personal Edition v3.1.0 에이전트 사용 설명서

PowerChute Personal Edition v3.1.0 에이전트 사용 설명서 PowerChute Personal Edition v3.1.0 990-3772D-019 4/2019 Schneider Electric IT Corporation Schneider Electric IT Corporation.. Schneider Electric IT Corporation,,,.,. Schneider Electric IT Corporation..

More information

PL10

PL10 assert(p!=null); *p = 10; assert(0

More information

untitled

untitled 200 180 ( ) () 1,060 1,040 160 140 120 / () 1,020 1,000 980 100 960 80 940 60 920 2005.1 2005.2 2005.3 2005.4 2006.1 2006.2 2006.3 2006.4 2007.1 2007.2 2007.3 150000 () (% ) 5.5 100000 CD () 5.4 50000

More information

<30352D30312D3120BFB5B9AEB0E8BEE0C0C720C0CCC7D82E687770>

<30352D30312D3120BFB5B9AEB0E8BEE0C0C720C0CCC7D82E687770> IT법률컨설팅 강의교안 (상) 영문계약의 이해 소프트웨어 자산관리기법 영문계약의 이해 - 1 - - 2 - - 3 - - 4 - - 5 - - 6 - - 7 - - 8 - - 9 - - 10 - - 11 - - 12 - - 13 - - 14 - - 15 - - 16 - - 17 - - 18 - - 19 - - 20 - - 21 - - 22 - - 23 -

More information

8장 문자열

8장 문자열 8 장문자열 박창이 서울시립대학교통계학과 박창이 ( 서울시립대학교통계학과 ) 8 장문자열 1 / 24 학습내용 문자열 (string) 훑기 (traversal) 부분추출 (slicing) print 함수불변성 (immutablity) 검색 (search) 세기 (count) Method in 연산자비교 박창이 ( 서울시립대학교통계학과 ) 8 장문자열 2 /

More information

CAD 화면상에 동그란 원형 도형이 생성되었습니다. 화면상에 나타난 원형은 반지름 500인 도형입니다. 하지만 반지름이 500이라는 것은 작도자만 알고 있는 사실입니다. 반지름이 500이라는 것을 클라이언트와 작업자들에게 알려주기 위 해서는 반드시 치수가 필요하겠죠?

CAD 화면상에 동그란 원형 도형이 생성되었습니다. 화면상에 나타난 원형은 반지름 500인 도형입니다. 하지만 반지름이 500이라는 것은 작도자만 알고 있는 사실입니다. 반지름이 500이라는 것을 클라이언트와 작업자들에게 알려주기 위 해서는 반드시 치수가 필요하겠죠? 실무 인테리어를 위한 CAD 프로그램 활용 인테리어 도면 작도에 꼭 필요한 명령어 60개 Ⅷ 이번 호에서는 DIMRADIUS, DIMANGULAR, DIMTEDIT, DIMSTYLE, QLEADER, 5개의 명령어를 익히도록 하겠다. 라경모 온라인 설계 서비스 업체 '도면창고' 대 표를 지낸 바 있으며, 현재 나인슈타인 을 설립해 대표 를맡고있다. E-Mail

More information

MAX+plus II Getting Started - 무작정따라하기

MAX+plus II Getting Started - 무작정따라하기 무작정 따라하기 2001 10 4 / Version 20-2 0 MAX+plus II Digital, Schematic Capture MAX+plus II, IC, CPLD FPGA (Logic) ALTERA PLD FLEX10K Series EPF10K10QC208-4 MAX+plus II Project, Schematic, Design Compilation,

More information

*세지6문제(306~316)OK

*세지6문제(306~316)OK 01 02 03 04 306 05 07 [08~09] 0 06 0 500 km 08 09 307 02 03 01 04 308 05 07 08 06 09 309 01 02 03 04 310 05 08 06 07 09 311 01 03 04 02 312 05 07 0 500 km 08 06 0 0 1,000 km 313 09 11 10 4.8 5.0 12 120

More information

歯MDI.PDF

歯MDI.PDF E08 MDI SDI(Single Document Interface) MDI(Multiple Document Interface) MDI (Client Window) (Child) MDI 1 MDI MDI MDI - File New Other Projects MDI Application - MDI - OK [ 1] MDI MDI MDI MDI Child MDI

More information

Tcl의 문법

Tcl의 문법 월, 01/28/2008-20:50 admin 은 상당히 단순하고, 커맨드의 인자를 스페이스(공백)로 단락을 짓고 나열하는 정도입니다. command arg1 arg2 arg3... 한행에 여러개의 커맨드를 나열할때는, 세미콜론( ; )으로 구분을 짓습니다. command arg1 arg2 arg3... ; command arg1 arg2 arg3... 한행이

More information

6주차.key

6주차.key 6, Process concept A program in execution Program code PCB (process control block) Program counter, registers, etc. Stack Heap Data section => global variable Process in memory Process state New Running

More information

<BACFC7D1B3F3BEF7B5BFC7E22D3133B1C733C8A3504446BFEB2E687770>

<BACFC7D1B3F3BEF7B5BFC7E22D3133B1C733C8A3504446BFEB2E687770> 북한의 주요 농업 관련 법령 해설 1) 이번 호와 다음 호에서는 북한의 주요 농업 관련 법령을 소개하려 한다. 북한의 협동농장은 농업협동조합기준규약초안 과 농장법 에 잘 규정되어 있다. 북한 사회주의 농업정책은 사회 주의농촌문제 테제 2), 농업법, 산림법 등을 통해 엿볼 수 있다. 국가계획과 농업부문의 관 계, 농산물의 공급에 관해서는 인민경제계획법, 사회주의상업법,

More information

1 9 2 0 3 1 1912 1923 1922 1913 1913 192 4 0 00 40 0 00 300 3 0 00 191 20 58 1920 1922 29 1923 222 2 2 68 6 9

1 9 2 0 3 1 1912 1923 1922 1913 1913 192 4 0 00 40 0 00 300 3 0 00 191 20 58 1920 1922 29 1923 222 2 2 68 6 9 (1920~1945 ) 1 9 2 0 3 1 1912 1923 1922 1913 1913 192 4 0 00 40 0 00 300 3 0 00 191 20 58 1920 1922 29 1923 222 2 2 68 6 9 1918 4 1930 1933 1 932 70 8 0 1938 1923 3 1 3 1 1923 3 1920 1926 1930 3 70 71

More information

OCaml

OCaml OCaml 2009.. (khheo@ropas.snu.ac.kr) 1 ML 2 ML OCaml INRIA, France SML Bell lab. & Princeton, USA nml SNU/KAIST, KOREA 3 4 (let) (* ex1.ml *) let a = 10 let add x y = x + y (* ex2.ml *) let sumofsquare

More information

UI TASK & KEY EVENT

UI TASK & KEY EVENT KEY EVENT & STATE 구현 2007. 1. 25 PLATFORM TEAM 정용학 차례 Key Event HS TASK UI TASK LONG KEY STATE 구현 소스코드및실행화면 질의응답및토의 2 KEY EVENT - HS TASK hs_task keypad_scan_keypad hs_init keypad_pass_key_code keypad_init

More information

4 CD Construct Special Model VI 2 nd Order Model VI 2 Note: Hands-on 1, 2 RC 1 RLC mass-spring-damper 2 2 ζ ω n (rad/sec) 2 ( ζ < 1), 1 (ζ = 1), ( ) 1

4 CD Construct Special Model VI 2 nd Order Model VI 2 Note: Hands-on 1, 2 RC 1 RLC mass-spring-damper 2 2 ζ ω n (rad/sec) 2 ( ζ < 1), 1 (ζ = 1), ( ) 1 : LabVIEW Control Design, Simulation, & System Identification LabVIEW Control Design Toolkit, Simulation Module, System Identification Toolkit 2 (RLC Spring-Mass-Damper) Control Design toolkit LabVIEW

More information