Linux shell programming
|
|
- 영호 점
- 5 years ago
- Views:
Transcription
1 awk / shell programming 가메출판사 인사이트 저자블로그 김선영 sunyzero@gmail(dot)com 버전 :
2 awk syntax, practice
3 What is awk? 설계자인 Aho. Weinbrger, Kernighan 의머릿글자에서유래 /ɔːk/ 라고읽는다. 공식적으로 " 패턴검색과처리언어 " 라고정의 독자적인처리문법과언어구성을갖추고있음 expr, grep, sed 의모든기능을포함하고있음 grep, sed 로처리가불가능하다면 awk 를사용 gawk (GNU awk) - 확장된기능제공 이강의는 gawk 를기준으로작성되었으나대부분의표현식은 POSIX awk 에서도잘작동합니다.
4 awk command awk 의실행방법 awk [-F 필드구분자 ] ' 스크립트코드 ' < 처리할파일 >... awk [-F 필드구분자 ] -f <awk 스크립트파일 > < 처리할파일 >... awk script 는 single quotes 로묶는다. Why? GNU awk(gawk) 에서 POSIX 로작동하려면 --posix 옵션을준다. 실행명령어만알아도절반은 먹고들어가는법이다!
5 awk CLI data file : account.txt # UNIX ACCOUNT : No sunyzero:sunyoung Kim:1600:AA-1342R: : ppan:peter Pan:1200:CC-0100R: : clyde47:john Smith:650:CC-1106R: : banaba:john Kennis:1100:CA-0971R: : jamtaeng:jambo Park:880:AD-1000R: : $ awk -F : '{print $1, $4;}' account.txt # UNIX ACCOUNT sunyzero AA-1342R ppan CC-0100R clyde47 CC-1106R banaba CA-0971R jamtaeng AD-1000R -F : # field separator $1, $4 # fields print 명령은자동개행!
6 awk script file data file : account.txt $ cat pr_1a4.awk { print $1, $4 } comma 의역할은? print $1 $4 로해보자 $ awk -F : -f pr_1a4.awk account.txt # UNIX ACCOUNT sunyzero AA-1342R ppan CC-0100R clyde47 CC-1106R banaba CA-0971R jamtaeng AD-1000R -f file # script filename
7 awk script block 조건 / 패턴이 true 일때 { command;... } 실행 [ condition or pattern ] { command;... } $ awk -F : 'NR>1 { printf "%s(%s)\n",$1,$2 }' account.txt sunyzero(sunyoung Kim) ppan(peter Pan) NR>1 # Line number clyde47(john Smith) banaba(john Kennis) printf # formating jamtaeng(jambo Park)
8 printf C-style formatting %[flag][x][.y]c flag 플래그지정 : -, 0, ' 등을지정할수있음. x 최소필드너비 (min. field width) 를지정.y 정밀도지정 c 변환형지정 : s,d,f,s,c... 등등을지정할수있음. flag 설명 - 왼쪽으로정렬 0 숫자출력시빈공백부분을 0으로채움 ' 숫자출력시천 (thousand) 단위로점을찍을때사용 홀따옴표에주의
9 printf : single quotes 홀따옴표사용주의 결론 : escape 가필요하다. 하지만 %\'10d 으로하면 single quotes 로인해 escape 전과다를바가없다.
10 printf : single quotes (con't) escape 를위한블록분리 1000 단위출력이실패하는경우 LC_LOCALE 이설정된경우 (or LANG 의영향 ) 홀따옴표에주의 ( 쌍따옴표아님 )
11 printf: conversion (C-style) 변환형 d, i 10 진수정수형 u o 10 진수양의정수형 8 진수양의정수형 x, X 16 진수양의정수형 f, F 실수형 설명 e, E 실수형 (scientific notation 으로지정된 ) e.g e+05 c s 숫자인경우 ASCII 코드로변환하여문자 1 개출력문자열인경우맨앞한개의문자만출력 문자열출력
12 printf: practice 숫자출력예제
13 printf: practice (con't) 문자열출력예제
14 awk field field 선택 $ awk -F: 'NR>1 {var=$2;$2=$3;$3=var; print}' account.txt sunyzero 1600 Sunyoung Kim AA-1342R ppan 1200 Peter Pan CC-0100R clyde John Smith CC-1106R banaba 1100 John Kennis CA-0971R jamtaeng 880 Jambo Park AD-1000R th, 3th 필드의스왑 awk variable string, integer, real number 모두지원
15 Pratice 조건적용하여출력해보자. $ awk 'NR>1 {printf "%d:%s\n",nr-1,$1}' account.txt 1:sunyzero:Sunyoung 2:ppan:Peter 3:clyde47:John 4:banaba:John 5:jamtaeng:Jambo $ awk -F: 'NR>1 {printf "%d:%s\n",nr-1,$1}' account.txt 1:sunyzero 2:ppan 3:clyde47 4:banaba 5:jamtaeng
16 awk pattern 패턴형식 pattern {... } /regular expression/ relational expression pattern && pattern pattern pattern pattern? pattern : pattern (pattern)! pattern pattern1, pattern2 range 패턴은데이터파일을처리하는데유용하다.
17 pattern: REGEX /REGEX/ 를이용하여조건사용 $ awk '/C[A-Z]-[0-9A-Z]+/ {print}' account.txt ppan:peter Pan:1200:CC-0100R: : clyde47:john Smith:650:CC-1106R: : banaba:john Kennis:1100:CA-0971R: : $ awk -F: '$4 ~ /C[A-Z]-[0-9A-Z]+/ {print}' account.txt ppan:peter Pan:1200:CC-0100R: : clyde47:john Smith:650:CC-1106R: : banaba:john Kennis:1100:CA-0971R: :
18 operator Operator Description Example ==,!= equality operator, not equal to $1=="Fred", $4!=NF < less than $1<$3 <== less than or equal to $1<=$1+NR > greater than $10>100?: Condition operator (equal to C) ~ contain regular expressions (match) $4~/LOC/, $9~/[A-Z]/!- Dose not contain regular expression $9!~/..[a-z]/
19 operator (con't) blank line 을제외하고첫번째필드가 100 보다큰경우 $ awk '($0!~ /^$/) && ($1 > 100) {print $0}' datafile.txt 범위연산을사용하는경우 $ awk '(NR == 3),(NR == 10)' /etc/passwd
20 operator (con't) 다양한패턴조합이가능하다. /^[^#]+/ { print } /^[^#]+/ $0!~ /^$/ { print } /^#start data/,/^#end data/ { print } (NR == 5),/^#end of file/ { print } 데이터파일내부에 start, end 를명시하는 comment line 이있다면패턴으로걸러내서읽을수있다.
21 BEGIN, END BEGIN END 연산이일어나기에수행 initialization, pre-processing 작업 연산이끝난뒤에수행 주로출력을수행한다. BEGIN { action } pattern { action }... END { action }
22 BEGIN, END (con't) BEGIN 사용방식 $ awk 'BEGIN {FS=":"} (NR == 3),(NR == 10)' /etc/passwd END 사용방식 $ awk 'END { print NR }' /etc/passwd 34 $ wc -l /etc/passwd 34 /etc/passwd
23 BEGIN, END (con't) BEGIN, END 를이용한계산 $ cat pi.awk BEGIN { print "Pi (numerical integration method)" } { n_steps = $1; sz_step = 1.0/n_steps; sum=0.0; } END { for (i=0; i<n_steps; i++) { x = (i+0.5) * sz_step; atan2() - arc-tangent in radians angle sum += 4.0/(1.0 + x*x); } printf("n_steps = %d, sz_step = %.8f\n", n_steps, sz_step); printf("pi = %.8f, 4*atan(1) = %.8f\n", sz_step*sum, atan2(1,1)*4); } $ time echo awk -f pi.awk Pi (numerical integration method) n_steps = , sz_step = pi = , 4*atan(1) = real user sys 0m0.546s 0m0.544s 0m0.001s
24 built-in var. 변수명 의미 ENVIRON 환경변수들을모아둔관계형배열 ARGC 커맨드라인아규먼트의갯수 ARGV 커맨드라인아규먼트의어레이 FILENAME 문자열 = 현재입력파일명 FNR 현재 file의현재레코드번호 ( 각입력파일에서 1부터시작한다.) FS 입력필드 seperator 문자 ( 기본값 = 공백 ) NF 현재레코드의필드번호 NR 현재의레코드번호 ( 모든입력파일을통틀어 ) FIELDWIDTHS FS대신에사용할고정필드크기 ( 구분자가없는데이터처리시사용한다.) OFMT 숫자를위한출력포멧 ( 기본값 = %.6g) OFS 출력필드 seperator ( 기본값 = 스페이스 ) ORS 출력레코드 seperator ( 기본값 = 개행문자 ) RS 입력레코드 seperator ( 기본값 = 개행문자 ) SUBSEP 배열에쓰는첨자구획문자 RSTART 매칭연산 (match function) 을만족하는문자열의맨앞부분 RLENGTH 매칭연산 (match function) 을만족하는문자열의길이 IGNORECASE 대소문자무시 * * IGNORECASE 관련함수 : gensub(), gsub(), index(), match(), split(), sub()
25 flow control Flow control statement if (conditional) {statement_list1} [else {statement_list2}] while (conditional) {statement_list} for (init;condition;ctrl) {statement_list} Desc. C-style if C-style while C-style for loop break 루프를종료시키고다음 statement 로넘어가게한다. continue 현재위치에서루프의다음 iteration 으로넘어가게한다. next exit 현재 input line 에대해서남아있는 pattern 을 skip 남아있는 input 을모두 skip 한다. 만일 END pattern 이있다면처리한후 awk 를종료시킨다.
26 print, var control print control statement print [expr_list] [>file] printf format [,expr_list] [>file] sprintf (format [,expression]) expr_list 에있는 expression 을 stdout 이나특정파일로리다이렉트한다. file 은 file descriptor 를사용한다. C 언어의 printf 문과동일포맷된형식의 expression 을보여준다. 출력은위와같다. C 언어의 sprintf 처럼버퍼에리턴하기만하고, 출력하지않는다. 변수에저장할때사용한다. assignment statement variable=awk_expr awk expr 에서나온 expression 을 variable 에할당한다. printf 의 default precision 은 6 자리이다. userdefined fd 는 3-19 까지사용가능하다.
27 Practice 합산계산, 새로운필드할당 $ cat score.txt #name:math1:math2:datastructure:algorithm Jack,78,45,68,49 Mick,77,32,86,67 Fred,95,55,85,62 Kim,88,42,85,60 $ awk -F, 'NR>1 { $6=$2+$3+$4+$5; print $0 }' score.txt Jack Mick Fred Kim th field 는새로할당된필드다. $ awk -F, '$0!~ /^#.*/ { $6=$2+$3+$4+$5; print $0 }' score.txt... 생략...
28 Practice (con't) 2 번째과목의평균계산 $ cat avg.awk $0!~ /^#.*/ { sum += $3 } END { printf "math2 avg = %.2f\n", sum/(nr-1) } $ awk -F, -f avg.awk score.txt math2 avg = 43.50
29 Practice System daemon 의 Minor pagefault, RSS 계산 $ cat chk_sysdaemon.sh #!/bin/bash ps -eo user,uid,pid,ppid,sz,rss,vsz,min_flt,maj_flt,cmd awk ' BEGIN { n_ps=0; n_tot_minflt=0; n_tot_rss=0; } ($1 == "root") && ($4 == 1) { n_ps++; n_tot_minflt+=$8; n_tot_rss+=$6; } END { printf " Daemon process monitor \n"; printf "Processes\tMin.PageFault\tTotalRSS\n"; printf "%9d \t %12d \t %7d\n", n_ps, n_tot_minflt, n_tot_rss; }'
30 function length(x) 는 x 의길이를리턴한다. $ awk -F: '(length($2)<11 && NR>1) {printf "%d:%s,%s\n",nr-1,$1,$2}' \ account.txt 2:ppan,Peter Pan 3:clyde47,John Smith 5:jamtaeng,Jambo Park
31 function: string function name gsub(r,s[,t]) index(str1,str2) length(str) match(s,r) split(str,array[,sep]) sprintf(fmt,awk_exp) sub(r,s[,t]) description 정규표현식 r 과매치되는문자열 t 를 s 로대치한다. (t 를지정하지않으면 $0 ; 문자열자체가변경되니조심할것!) * return value : 대치에성공한패턴개수 ( 양수 ) Returns the starting position of str2 in str1. If str2 is not present in str1, then 0 is returned Returns the length of string str 문자열 s 에서정규표현식 r 과매치되는부분의위치를넘겨준다 구분자 sep 를기준으로 (default 는 space) 문자열 str 을배열로변환 Returns the values of awk_exp formatted as defined by fmt 정규표현식 r 과매치되는문자열 t 를 s 로대치한다. gsub 와다른점은 t 에서 r 과매치되는부분이여러개라할지라도처음한개만대치한다는것이다. * return value: 대치에성공한패턴개수 (0 or 1) * gsub (global sub) * gawk 는 gsub, sub 의 general version 인 gensub 를지원한다. * gawk 는 strtonum() 으로 base 진수로표기된문자열을숫자로변환할수있다.
32 function: string function name substr(str,start,length) tolower(str) toupper(str) description Returns a substring of the string str starting at positio n start for length characters ex) substr("believe", 3, 5) == "lieve" 문자열 str 을모두소문자로바꾼다 문자열 str 을모두대문자로바꾼다
33 function: math function description (angle 은모두 radian 으로쓴다 ) int(x) x 의소수점이하값을버린다. rand() 0 에서 1 사이의 random variable 을취한다. srand(x) cos(x) sin(x) atan2(x,y) rand 을위해 x 를새로운 seed 로 setting ( 특정값이나새로운랜덤변수발생시사용 ) x 의 cosine 값을리턴 x 의 sine 값을리턴 y/x 의 arc tangent 값을리턴 exp(x) e^x 의값을리턴 ( 무리수 e 의 x 승값 ) log(x) log_e x 의값을리턴 ( 자연로그 x 값을리턴 ) sqrt(x) 음수가아닌 x 의루트값 (the radical sign, value = x)
34 function: date, time function description systime() UNIX epoch timestamp 를리턴한다. strftime([fmt [, timestamp]]) C-style strftime $ awk 'BEGIN { print systime() }' $ awk 'BEGIN { print strftime("%y%m%d-%h%m%s %z") }'
35 Practice : function : substr substr - substring $ cat contdata.txt B6011KR B6012KR B6011KR B6011KR B6012KR B6011KR $ awk 'substr($0,6,12) == "KR " { print substr($0,18,12) }' \ contdata.txt
36 Practice : function : match POSIX awk 에서는 {n,m} 표현을지원하지않는다. $ gawk --re-interval \ 'match($0,/kr[0-9]{10}/) { print substr($0,rstart+3,rlength-6) }' \ contdata.txt re-interval 옵션 : REGEX interval expression 을지원 --re-interval 대신에 --posix 으로실행해보자. gawk manual>>extensions in gawk Not in POSIX awk 참고
37 Practice : function : gsub, sub, gensub substitution function $ cat contdata.txt B6011KR B6012KR B6011KR B6011KR B6012KR B6011KR $ awk --re-interval '{ sub(/kr7[0-9]{9}/, "### "); print }' \ contdata.txt B6011### B6012### B6011### B6011### B6012### B6011###
38 Practice : function : gensub gensub(regex, replace, how [,target var.]) $ awk '{ a=gensub(/([0-9]+)/, "(\\1)", "g"); print a}' /etc/passwd... 생략... sunyzero:x:(500):(500):sy Kim:/home/sunyzero:/bin/bash $ awk '{ a=gensub(/([0-9]+)/, "(\\1)", "1"); print a}' /etc/passwd... 생략... sunyzero:x:(500):500:sy Kim:/home/sunyzero:/bin/bash $ awk '{ a=gensub(/([0-9]+)/, "(\\1)", "2"); print a}' /etc/passwd... 생략... sunyzero:x:500:(500):sy Kim:/home/sunyzero:/bin/bash gawk 를사용한다면 gensub 는매우유용하다. * how : g (global), index (replace the n-th field)
39 Practice : function : gensub (con't) substitution function - backreference 를지원하는 gensub $ cat contdata.txt B6011KR B6012KR B6011KR B6011KR B6012KR B6011KR $ awk --re-interval '{ a=gensub(/kr7([0-9]{9})/, "###\\1", "g"); print a}' \ contdata.txt B6011### B6012### B6011### B6011### B6012### B6011### * gsub, sub 는 backreference 를지원하지못한다.
40 Practice : gen. source code test_posixopt.awk BEGIN { cnt = 0 } # get posix options from file. { elem[cnt++] = $1; } # end; print them; generate C source code. END { for (i=0; i<=cnt; i++) { if (i == 0) { print "#include <unistd.h>\n#include <stdio.h>\nint main()\n{\n" } else if (i == cnt) { print "\treturn 0;\n}" } else { printf("#if %s > 0L\n\tprintf(\"[O] %s\\n\");\n", elem[i], elem[i]); printf("#else\n\tprintf(\"[x] %s\\n\");\n", elem[i], elem[i]); printf("#endif\n"); } } }
41 Practice : gen. source code (con't) test_posixopt.txt (posixoptions manpage 참조 ) _POSIX_ADVISORY_INFO _POSIX_ASYNCHRONOUS_IO _POSIX_BARRIERS _POSIX_CLOCK_SELECTION _POSIX_CPUTIME... 생략...
42 Practice : gen. source code (con't) Makefile # Makefile AWK = awk OUT = test_posixopt all: $(OUT).SUFFIXES:.PRECIOUS:.o %.c: %.awk $(AWK) -f $< $*.txt tee $@ %: %.o $(CC) $< $(LOADLIBES) $(LDLIBS) -o $@ %.o: %.c $(CC) -c $(CFLAGS) $(CPPFLAGS) $< -o $@ clean: rm -f *.o core core.* $(OUT)
43 shell variable -v varname="$shell_var" $ msg="hello unixer" $ var_r="unix" $ var_s="linux" $ echo $msg awk '{gsub($var_r, $var_s);print}' $ echo $msg awk -v r1="$var_r" -v s1="$var_s" '{gsub(r1, s1);print}'
PowerPoint 프레젠테이션
UNIX 및실습 11 장보충 awk (1) 1 awk 란? 데이터조작및보고서생성에사용되는유닉스프로그래밍언어 개발자세사람 (Alfred Aho, Peter Weinberger, Brian Kernighan) 의이름첫글자로조합 nawk : awk 의최신버전 gawk : GNU 버전 명령으로간단한조작을할수있으며, 큰규모의응용프로그램작성도가능 쉘스크립트와소규모데이터베이스관리에서빼놓을수없는유용한툴
More informationMicrosoft PowerPoint - chap13-입출력라이브러리.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 학습목표 스트림의 기본 개념을 알아보고,
More informationTcl의 문법
월, 01/28/2008-20:50 admin 은 상당히 단순하고, 커맨드의 인자를 스페이스(공백)로 단락을 짓고 나열하는 정도입니다. command arg1 arg2 arg3... 한행에 여러개의 커맨드를 나열할때는, 세미콜론( ; )으로 구분을 짓습니다. command arg1 arg2 arg3... ; command arg1 arg2 arg3... 한행이
More information강의10
Computer Programming gdb and awk 12 th Lecture 김현철컴퓨터공학부서울대학교 순서 C Compiler and Linker 보충 Static vs Shared Libraries ( 계속 ) gdb awk Q&A Shared vs Static Libraries ( 계속 ) Advantage of Using Libraries Reduced
More information슬라이드 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 informationC++-¿Ïº®Çؼ³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 informationPowerPoint 프레젠테이션
Information Retrieval Park CheonEum Sed?! 비대화형모드의텍스트파일에디터 정규표현식을사용 표준입출력사용 PipeLine 주어진주소범위에대해처리. 연산자이름의미 [ 주소범위 ]/p print [ 주어진주소범위 ] 를출력 [ 주소범위 ]/d Delete [ 주어진주소범위 ] 를삭제 s/pattern1/pattern2 substitute
More informationMicrosoft PowerPoint 웹 연동 기술.pptx
웹프로그래밍및실습 ( g & Practice) 문양세강원대학교 IT 대학컴퓨터과학전공 URL 분석 (1/2) URL (Uniform Resource Locator) 프로토콜, 호스트, 포트, 경로, 비밀번호, User 등의정보를포함 예. http://kim:3759@www.hostname.com:80/doc/index.html URL 을속성별로분리하고자할경우
More informationMicrosoft Word - Lab_080104A.docx
BASH Shell Script 3rd Lab 1. 쉘스크립트 간단한쉘스크립트 $ vi hello.sh (hello.sh) echo hello world $ chmod 755 hello.sh $./hello.sh hello world #! 은쉘에게이프로그램을실행하기위해서 #! 다음에오는아규먼트를실행프로그램으로사용한다는것을알려주기위해서사용된다. Unix/Linux
More information4. #include <stdio.h> #include <stdlib.h> int main() { functiona(); } void functiona() { printf("hihi\n"); } warning: conflicting types for functiona
이름 : 학번 : A. True or False: 각각항목마다 True 인지 False 인지적으세요. 1. (Python:) randint 함수를사용하려면, random 모듈을 import 해야한다. 2. (Python:) '' (single quote) 는한글자를표현할때, (double quote) 는문자열을표현할때사용한다. B. 다음에러를수정하는방법을적으세요.
More information1 Shell script What the shell?
Shell scripts & Cron 김건우 하정호 홍영규 1 Shell script What the shell? 컴퓨터 시스템의 구조 Kernel 어제 배웠죠? Shell... User... 사용자의 명령을 커널에 전달하는 역할 Shell script? 쉘이 실행할 수 있는 코드 Python script = Python이 실행할 수 있는 코드 컴파일 없이
More informationMicrosoft PowerPoint - 3ÀÏ°_º¯¼ö¿Í »ó¼ö.ppt
변수와상수 1 변수란무엇인가? 변수 : 정보 (data) 를저장하는컴퓨터내의특정위치 ( 임시저장공간 ) 메모리, register 메모리주소 101 번지 102 번지 변수의크기에따라 주로 byte 단위 메모리 2 기본적인변수형및변수의크기 변수의크기 해당컴퓨터에서는항상일정 컴퓨터마다다를수있음 short
More information슬라이드 1
/ 유닉스시스템개요 / 파일 / 프로세스 01 File Descriptor file file descriptor file type unix 에서의파일은단지바이트들의나열임 operating system 은파일에어떤포맷도부과하지않음 파일의내용은바이트단위로주소를줄수있음 file descriptor 는 0 이나양수임 file 은 open 이나 creat 로 file
More informationSIGPLwinterschool2012
1994 1992 2001 2008 2002 Semantics Engineering with PLT Redex Matthias Felleisen, Robert Bruce Findler and Matthew Flatt 2009 Text David A. Schmidt EXPRESSION E ::= N ( E1 O E2 ) OPERATOR O ::=
More information13주-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 informationColumns 8 through while expression {commands} 예제 1.2 (While 반복문의이용 ) >> num=0
for loop array {commands} 예제 1.1 (For 반복변수의이용 ) >> data=[3 9 45 6; 7 16-1 5] data = 3 9 45 6 7 16-1 5 >> for n=data x=n(1)-n(2) -4-7 46 1 >> for n=1:10 x(n)=sin(n*pi/10); n=10; >> x Columns 1 through 7
More information1. AWK 프로그래밍언어 AWK는자료처리중심의프로그래밍언어이며텍스트처리와보고서생성을목적으로만들어졌다. AWK라는명칭은이언어를처음설계한 Alfred V. Aho, Peter J. Weinberger, Brian W. Kernighan 3명의이름을따서지은것이다. AWK는
1. AWK 프로그래밍언어 AWK는자료처리중심의프로그래밍언어이며텍스트처리와보고서생성을목적으로만들어졌다. AWK라는명칭은이언어를처음설계한 Alfred V. Aho, Peter J. Weinberger, Brian W. Kernighan 3명의이름을따서지은것이다. AWK는 C 언어를기반으로만들어졌으며, C 언어의제어구조와예약어 (Keyword) 등을거의유사하게그대로사용하면서다양한자료처리기능을지원하고있다.
More informationC 프로그래밍 언어 입문 C 프로그래밍 언어 입문 김명호저 숭실대학교 출판국 머리말..... C, C++, Java, Fortran, Python, Ruby,.. C. C 1972. 40 C.. C. 1999 C99. C99. C. C. C., kmh ssu.ac.kr.. ,. 2013 12 Contents 1장 프로그래밍 시작 1.1 C 10 1.2 12
More information0. 표지에이름과학번을적으시오. (6) 1. 변수 x, y 가 integer type 이라가정하고다음빈칸에 x 와 y 의계산결과값을적으시오. (5) x = (3 + 7) * 6; x = 60 x = (12 + 6) / 2 * 3; x = 27 x = 3 * (8 / 4
Introduction to software design 2012-1 Final 2012.06.13 16:00-18:00 Student ID: Name: - 1 - 0. 표지에이름과학번을적으시오. (6) 1. 변수 x, y 가 integer type 이라가정하고다음빈칸에 x 와 y 의계산결과값을적으시오. (5) x = (3 + 7) * 6; x = 60 x
More information테이블 데이터 처리용 command line tool들
테이블데이터처리용 command line tool 들 한국어정보의전산처리 2019. 4. 2. cut 각레코드 ( 라인 ) 에서일정부분을잘라내어 ( 추출하여 ) 출력함. 스위치 -c : 추출할부분의위치를문자 ( 바이트 ) 수로지정.
More information예제 1.1 ( 관계연산자 ) >> A=1:9, B=9-A A = B = >> tf = A>4 % 4 보다큰 A 의원소들을찾을경우 tf = >> tf = (A==B) % A
예제 1.1 ( 관계연산자 ) >> A=1:9, B=9-A A = 1 2 3 4 5 6 7 8 9 B = 8 7 6 5 4 3 2 1 0 >> tf = A>4 % 4 보다큰 A 의원소들을찾을경우 tf = 0 0 0 0 1 1 1 1 1 >> tf = (A==B) % A 의원소와 B 의원소가똑같은경우를찾을때 tf = 0 0 0 0 0 0 0 0 0 >> tf
More informationPowerPoint Presentation
FORENSICINSIGHT SEMINAR SQLite Recovery zurum herosdfrc@google.co.kr Contents 1. SQLite! 2. SQLite 구조 3. 레코드의삭제 4. 삭제된영역추적 5. 레코드복원기법 forensicinsight.org Page 2 / 22 SQLite! - What is.. - and why? forensicinsight.org
More information< E20C6DFBFFEBEEE20C0DBBCBAC0BB20C0A7C7D12043BEF0BEEE20492E707074>
Chap #2 펌웨어작성을위한 C 언어 I http://www.smartdisplay.co.kr 강의계획 Chap1. 강의계획및디지털논리이론 Chap2. 펌웨어작성을위한 C 언어 I Chap3. 펌웨어작성을위한 C 언어 II Chap4. AT89S52 메모리구조 Chap5. SD-52 보드구성과코드메모리프로그래밍방법 Chap6. 어드레스디코딩 ( 매핑 ) 과어셈블리어코딩방법
More informationMicrosoft 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 informationPowerPoint 프레젠테이션
@ 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제1장 Unix란 무엇인가?
1 12 장파이프 2 12.1 파이프 파이프원리 $ who sort 파이프 3 물을보내는수도파이프와비슷 한프로세스는쓰기용파일디스크립터를이용하여파이프에데이터를보내고 ( 쓰고 ) 다른프로세스는읽기용파일디스크립터를이용하여그파이프에서데이터를받는다 ( 읽는다 ). 한방향 (one way) 통신 파이프생성 파이프는두개의파일디스크립터를갖는다. 하나는쓰기용이고다른하나는읽기용이다.
More informationSena Technologies, Inc. HelloDevice Super 1.1.0
HelloDevice Super 110 Copyright 1998-2005, All rights reserved HelloDevice 210 ()137-130 Tel: (02) 573-5422 Fax: (02) 573-7710 E-Mail: support@senacom Website: http://wwwsenacom Revision history Revision
More informationC# Programming Guide - Types
C# Programming Guide - Types 최도경 lifeisforu@wemade.com 이문서는 MSDN 의 Types 를요약하고보충한것입니다. http://msdn.microsoft.com/enus/library/ms173104(v=vs.100).aspx Types, Variables, and Values C# 은 type 에민감한언어이다. 모든
More information10 강. 쉘스크립트 l 쉘스크립트 Ÿ 쉘은명령어들을연속적으로실행하는인터프리터환경을제공 Ÿ 쉘스크립트는제어문과변수선언등이가능하며프로그래밍언어와유사 Ÿ 프로그래밍언어와스크립트언어 -프로그래밍언어를사용하는경우소스코드를컴파일하여실행가능한파일로만들어야함 -일반적으로실행파일은다
10 강. 쉘스크립트 쉘스크립트 쉘은명령어들을연속적으로실행하는인터프리터환경을제공 쉘스크립트는제어문과변수선언등이가능하며프로그래밍언어와유사 프로그래밍언어와스크립트언어 -프로그래밍언어를사용하는경우소스코드를컴파일하여실행가능한파일로만들어야함 -일반적으로실행파일은다른운영체제로이식되지않음 -스크립트언어를사용하면컴파일과정이없고인터프리터가소스파일에서명령문을판독하여각각의명령을수행
More informationMicrosoft PowerPoint - 기계공학실험1-1MATLAB_개요2D.pptx
1. MATLAB 개요와 활용 기계공학실험 I 2013년 2학기 MATLAB 시작하기 이장의내용 MATLAB의여러창(window)들의 특성과 목적 기술 스칼라의 산술연산 및 기본 수학함수의 사용. 스칼라 변수들(할당 연산자)의 정의 및 변수들의 사용 방법 스크립트(script) 파일에 대한 소개와 간단한 MATLAB 프로그램의 작성, 저장 및 실행 MATLAB의특징
More informationuntitled
Push... 2 Push... 4 Push... 5 Push... 13 Push... 15 1 FORCS Co., LTD A Leader of Enterprise e-business Solution Push (Daemon ), Push Push Observer. Push., Observer. Session. Thread Thread. Observer ID.
More informationksh프로그램문법.ppt
http://www.suntraining.co.kr Korn shell programming yae_kim@suned.co.kr 썬교육사업부 Sun Microsystems Korea Sun Microsystems 교육입과를환영합니다 Korn shell 프로그래밍과정진행과정 OBEJCT - UNIX shell 특징과 shell script 소개 - UNIX 기본명령어
More information컴파일러
YACC 응용예 Desktop Calculator 7/23 Lex 입력 수식문법을위한 lex 입력 : calc.l %{ #include calc.tab.h" %} %% [0-9]+ return(number) [ \t] \n return(0) \+ return('+') \* return('*'). { printf("'%c': illegal character\n",
More information<4D F736F F F696E74202D20BFEEBFB5C3BCC1A6BDC7BDC D31C7D0B1E229202D20BDA92E BC8A3C8AF20B8F0B5E55D>
쉘 (Shell) 환경 운영체제실습 목차 Ⅴ. 쉘 (shell) 환경 5.1 쉘 (shell) 이란? 5.2 쉘 (shell) 기능 5.3 쉘 (shell) 변수 5.4 기타기능 5.5 쉘 (shell) 프로그래밍 5.1 쉘 (shell) 이란? 쉘 (Shell) 사용자가입력한명령어를해석해주는명령어해석기 (Command interpreter) 사용자와운영체제
More informationuntitled
Step Motor Device Driver Embedded System Lab. II Step Motor Step Motor Step Motor source Embedded System Lab. II 2 open loop, : : Pulse, 1 Pulse,, -, 1 +5%, step Step Motor (2),, Embedded System Lab. II
More informationMicrosoft PowerPoint - Regular Expresssions.ppt
Oracle Regular Expressions 완전정복 오동규수석컨설턴트 1 오라클정규식이란? 강력한 Text 분석도구로서 Like 의한계를극복함. 유닉스의정규식과같음. Pattern-Matching-Rule 다양한메타문자제공. 2 Regular Expressions 정규식기본 Syntax. 함수사용법. 정규식고급 Syntax. 11g New Features
More informationPowerPoint 프레젠테이션
UNIX 및실습 7 장. 파일과디렉토리검색하기 1 학습목표 파일의내용을검색하는방법을익힌다. 조건에맞는파일과디렉토리를찾는방법을익힌다. 명령이있는위치를찾는방법을익힌다. 2 01. 파일내용검색 - grep global regular expression print 지정한파일에특정문자열 ( 패턴 ) 이들어있는지검색 패턴 문자, 문자열, 문장, 정규표현식 (regular
More information슬라이드 1
1 장. C 의개요 박종혁교수 UCS Lab Tel: 970-6702 Email: jhpark1@seoultech.ac.kr SeoulTech 2017-1 st 프로그래밍입문 (1) 2 C 의개요 C-Language 란? 원하는결과를얻어내기위한 Program 작성시필요한일종의언어 Unix 운영체제하에서시스템프로그래밍을하기위해개발된언어 구조적인언어, 강력한기능,
More informationMicrosoft PowerPoint - comp_prac_081223_2.pptx
Computer Programming Practice (2008 Winter) Practice 2 기본 Unix/Linux 명령어숙지 2008. 12. 23 Contents Linux commands Basic commands File and Directory User Data Filtering Process Etc Conclusion & Recommended
More information[ 마이크로프로세서 1] 2 주차 3 차시. 포인터와구조체 2 주차 3 차시포인터와구조체 학습목표 1. C 언어에서가장어려운포인터와구조체를설명할수있다. 2. Call By Value 와 Call By Reference 를구분할수있다. 학습내용 1 : 함수 (Functi
2 주차 3 차시포인터와구조체 학습목표 1. C 언어에서가장어려운포인터와구조체를설명할수있다. 2. Call By Value 와 Call By Reference 를구분할수있다. 학습내용 1 : 함수 (Function) 1. 함수의개념 입력에대해적절한출력을발생시켜주는것 내가 ( 프로그래머 ) 작성한명령문을연산, 처리, 실행해주는부분 ( 모듈 ) 자체적으로실행되지않으며,
More informationWeek5
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 informationPowerPoint Presentation
객체지향프로그래밍 클래스, 객체, 메소드 ( 실습 ) 손시운 ssw5176@kangwon.ac.kr 예제 1. 필드만있는클래스 텔레비젼 2 예제 1. 필드만있는클래스 3 예제 2. 여러개의객체생성하기 4 5 예제 3. 메소드가추가된클래스 public class Television { int channel; // 채널번호 int volume; // 볼륨 boolean
More informationC++ Programming
C++ Programming 연산자다중정의 Seo, Doo-okok clickseo@gmail.com http://www.clickseo.com 목 차 연산자다중정의 C++ 스타일의문자열 2 연산자다중정의 연산자다중정의 단항연산자다중정의 이항연산자다중정의 cin, cout 그리고 endl C++ 스타일의문자열 3 연산자다중정의 연산자다중정의 (Operator
More information8장 문자열
8 장문자열 박창이 서울시립대학교통계학과 박창이 ( 서울시립대학교통계학과 ) 8 장문자열 1 / 24 학습내용 문자열 (string) 훑기 (traversal) 부분추출 (slicing) print 함수불변성 (immutablity) 검색 (search) 세기 (count) Method in 연산자비교 박창이 ( 서울시립대학교통계학과 ) 8 장문자열 2 /
More informationPowerPoint 프레젠테이션
@ 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 informationMicrosoft PowerPoint - chap11.ppt [호환 모드]
2010-1 학기프로그래밍입문 (1) 11 장입출력과운영체제 박종혁 Tel: 970-6702 Email: jhpark1@snut.ac.kr k 0 특징 printf() - 임의의개수의인자출력 - 간단한변환명세나형식을사용한출력제어 A Book on C, 4ed. 11-1 printf() printf(control_string, other_argument) -
More informationOCW_C언어 기초
초보프로그래머를위한 C 언어기초 4 장 : 연산자 2012 년 이은주 학습목표 수식의개념과연산자및피연산자에대한학습 C 의알아보기 연산자의우선순위와결합방향에대하여알아보기 2 목차 연산자의기본개념 수식 연산자와피연산자 산술연산자 / 증감연산자 관계연산자 / 논리연산자 비트연산자 / 대입연산자연산자의우선순위와결합방향 조건연산자 / 형변환연산자 연산자의우선순위 연산자의결합방향
More informationMicrosoft PowerPoint - chap05-제어문.pptx
int num; printf( Please enter an integer: "); scanf("%d", &num); if ( num < 0 ) printf("is negative.\n"); printf("num = %d\n", num); 1 학습목표 제어문인,, 분기문에 대해 알아본다. 인 if와 switch의 사용 방법과 사용시 주의사항에 대해 알아본다.
More informationMicrosoft PowerPoint - 02-Shell-Programming
2. 쉘프로그래밍 상명대학교소프트웨어학부 쉘 (Shell) 쉘 : 명령어해석기 단말기나파일로부터입력된명령을해석하여적절한명령을실행 시스템환경변경, 명령어입력편의를제공 쉘의종류 Bourne Shell(sh) /bin/sh Korn Shell(ksh) /bin/ksh C Shell(csh) /bin/csh Bourne Again Shell(bash) /bin/bash
More informationPowerPoint 프레젠테이션
실습 1 배효철 th1g@nate.com 1 목차 조건문 반복문 System.out 구구단 모양만들기 Up & Down 2 조건문 조건문의종류 If, switch If 문 조건식결과따라중괄호 { 블록을실행할지여부결정할때사용 조건식 true 또는 false값을산출할수있는연산식 boolean 변수 조건식이 true이면블록실행하고 false 이면블록실행하지않음 3
More information목차 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 informationPowerPoint 프레젠테이션
Chapter 12 표준입출력과파일입출력... 1. 표준입출력함수 2. 파일입출력함수 1. 표준입출력함수 표준입출력함수 표준입력 (stdin, Standard Input) : 키보드입력 표준출력 (stdout, StandardOutput) : 모니터출력 1. 표준입출력함수 서식화된입출력함수 printf(), scanf() 서식의위치에올수있는것들 [ 기본 11-1]
More informationMicrosoft PowerPoint - ch07 - 포인터 pm0415
2015-1 프로그래밍언어 7. 포인터 (Pointer), 동적메모리할당 2015 년 4 월 4 일 교수김영탁 영남대학교공과대학정보통신공학과 (Tel : +82-53-810-2497; Fax : +82-53-810-4742 http://antl.yu.ac.kr/; E-mail : ytkim@yu.ac.kr) Outline 포인터 (pointer) 란? 간접참조연산자
More information강의 개요
DDL TABLE 을만들자 웹데이터베이스 TABLE 자료가저장되는공간 문자자료의경우 DB 생성시지정한 Character Set 대로저장 Table 생성시 Table 의구조를결정짓는열속성지정 열 (Clumn, Attribute) 은이름과자료형을갖는다. 자료형 : http://dev.mysql.cm/dc/refman/5.1/en/data-types.html TABLE
More informationDIY 챗봇 - LangCon
without Chatbot Builder & Deep Learning bage79@gmail.com Chatbot Builder (=Dialogue Manager),. We need different chatbot builders for various chatbot services. Chatbot builders can t call some external
More informationLinux - editor - vim
손에잡히는 vim (2/4) 인사이트출판사 http://blog.insightbook.co.kr 가메출판사 http://www.kame.co.kr 저자홈페이지 http://sunyzero.tistory.com 김선영 sunyzero@gmail(dot)com 버전 : 2014-10 Ch3. 옵션, 도움말, 에러처리 RTFM(Read The Fine Manual)
More information비트와바이트 비트와바이트 비트 (Bit) : 2진수값하나 (0 또는 1) 를저장할수있는최소메모리공간 1비트 2비트 3비트... n비트 2^1 = 2개 2^2 = 4개 2^3 = 8개... 2^n 개 1 바이트는 8 비트 2 2
비트연산자 1 1 비트와바이트 비트와바이트 비트 (Bit) : 2진수값하나 (0 또는 1) 를저장할수있는최소메모리공간 1비트 2비트 3비트... n비트 2^1 = 2개 2^2 = 4개 2^3 = 8개... 2^n 개 1 바이트는 8 비트 2 2 진수법! 2, 10, 16, 8! 2 : 0~1 ( )! 10 : 0~9 ( )! 16 : 0~9, 9 a, b,
More informationObservational Determinism for Concurrent Program Security
웹응용프로그램보안취약성 분석기구현 소프트웨어무결점센터 Workshop 2010. 8. 25 한국항공대학교, 안준선 1 소개 관련연구 Outline Input Validation Vulnerability 연구내용 Abstract Domain for Input Validation Implementation of Vulnerability Analyzer 기존연구
More information6주차.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 informationPowerPoint 프레젠테이션
Development Environment 2 Jo, Heeseung make make Definition make is utility to maintain groups of programs Object If some file is modified, make detects it and update files related with modified one It
More information본 강의에 들어가기 전
C 기초특강 종합과제 과제내용 구조체를이용하여교과목이름과코드를파일로부터입력받아관리 구조체를이용하여학생들의이름, 학번과이수한교과목의코드와점수를파일로부터입력 학생개인별총점, 평균계산 교과목별이수학생수, 총점및평균을계산 결과를파일에저장하는프로그램을작성 2 Makefile OBJS = score_main.o score_input.o score_calc.o score_print.o
More informationMicrosoft PowerPoint - chap03-변수와데이터형.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 학습목표 의 개념에 대해 알아본다.
More information<4D6963726F736F667420506F776572506F696E74202D204D41544C4142B0ADC0C7B7CF28B9E8C6F7BFEB295F3031C0E55FBDC3C0DBC7CFB1E22E707074205BC8A3C8AF20B8F0B5E55D>
MATLAB MATLAB 개요와 응용 1장 MATLAB 시작하기 10 5 0 황철호 -5-10 30 20 10 0 0 5 10 15 20 25 MATLAB 시작하기 이장의내용 MATLAB의여러창(window)들의 특성과 목적 기술 스칼라의 산술연산 및 기본 수학함수의 사용. 스칼라 변수들(할당 연산자)의 정의 및 변수들의 사용 방법 스크립트(script) 파일에
More informationMicrosoft PowerPoint - chap06-1Array.ppt
2010-1 학기프로그래밍입문 (1) chapter 06-1 참고자료 배열 박종혁 Tel: 970-6702 Email: jhpark1@snut.ac.kr 한빛미디어 출처 : 뇌를자극하는 C프로그래밍, 한빛미디어 -1- 배열의선언과사용 같은형태의자료형이많이필요할때배열을사용하면효과적이다. 배열의선언 배열의사용 배열과반복문 배열의초기화 유연성있게배열다루기 한빛미디어
More informationMicrosoft PowerPoint 유용한 PHP 함수.pptx
웹프로그래밍및실습 ( g & Practice) 유용한 PHP 함수 문양세강원대학교 IT 대학컴퓨터과학전공 문자열 (String) (1/4) 문자열저장 $str = PHP 문자열 ; 문자열출력 $str = PHP 문자열 ; print $str. ; 문자열의특정부분출력 (string_ele.php)
More informationMicrosoft PowerPoint 유용한 PHP 함수들.ppt
웹프로그래밍 () 2006 년봄학기 문양세강원대학교컴퓨터과학과 문자열 (String) (1/4) 문자열저장 $str = PHP 문자열 ; 문자열출력 $str = PHP 문자열 ; print $str. ; 문자열의특정부분출력 (string_ele.php)
More information/chroot/lib/ /chroot/etc/
구축 환경 VirtualBox - Fedora 15 (kernel : 2.6.40.4-5.fc15.i686.PAE) 작동 원리 chroot유저 ssh 접속 -> 접속유저의 홈디렉토리 밑.ssh의 rc 파일 실행 -> daemonstart실행 -> daemon 작동 -> 접속 유저만의 Jail 디렉토리 생성 -> 접속 유저의.bashrc 의 chroot 명령어
More informationuntitled
if( ) ; if( sales > 2000 ) bonus = 200; if( score >= 60 ) printf(".\n"); if( height >= 130 && age >= 10 ) printf(".\n"); if ( temperature < 0 ) printf(".\n"); // printf(" %.\n \n", temperature); // if(
More information歯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금오공대 컴퓨터공학전공 강의자료
C 프로그래밍프로젝트 Chap 14. 포인터와함수에대한이해 2013.10.09. 오병우 컴퓨터공학과 14-1 함수의인자로배열전달 기본적인인자의전달방식 값의복사에의한전달 val 10 a 10 11 Department of Computer Engineering 2 14-1 함수의인자로배열전달 배열의함수인자전달방식 배열이름 ( 배열주소, 포인터 ) 에의한전달 #include
More informationMicrosoft PowerPoint 세션.ppt
웹프로그래밍 () 2006 년봄학기 문양세강원대학교컴퓨터과학과 세션변수 (Session Variable) (1/2) 쇼핑몰장바구니 장바구니에서는사용자가페이지를이동하더라도장바구니의구매물품리스트의내용을유지하고있어야함 PHP 에서사용하는일반적인변수는스크립트의수행이끝나면모두없어지기때문에페이지이동시변수의값을유지할수없음 이러한문제점을해결하기위해서 PHP 에서는세션 (session)
More informationPowerPoint 프레젠테이션
DEVELOPMENT ENVIRONMENT 2 MAKE Jo, Heeseung MAKE Definition make is utility to maintain groups of programs Object If some file is modified, make detects it and update files related with modified one 2
More informationchap7.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 informationMicrosoft PowerPoint - u6.pptx
개요 여러가지유틸리티프로그램소개 유닉스 / 리눅스를유용하게활용하도록하기위함 6. 유틸리티활용 파일정렬 파일비교 텍스트변환 정규표현식과 grep 스트림편집기 sed 파일보관및압축 파일탐색 기타파일관련유틸리티 기타유용한명령어 2 6.1 파일정렬 파일병합정렬, 반복줄제거 sort : 파일정렬 $ sort file 줄단위로정렬 ( 오름차순 ) $ sort r file
More informationMicrosoft PowerPoint - Zebra ZPL 한글판 명령어 메뉴얼.ppt
Zebra Programming Language (ZPL) 제브라프로그래밍안내서 문자인쇄 예제 1 기준점 10 Cm 1Cm ZEBRA PRINTER 5 Cm 1Cm 진행방향 위와같이 10Cm X 5Cm( 가로세로 ) 크기의라벨이있고기준점으로부터 X.Y 축으로 1Cm 떨어진곳에 ZEBRA PRINTER 를인쇄하고자한다면, 보기 1 ^FO 80,80^AE 21,10^FD
More informationChapter_06
프로그래밍 1 1 Chapter 6. Functions and Program Structure April, 2016 Dept. of software Dankook University http://embedded.dankook.ac.kr/~baeksj 이장의강의목표 2 문자의입력방법을이해한다. 중첩된 if문을이해한다. while 반복문의사용법을익힌다. do 반복문의사용법을익힌다.
More informationslide2
Program P ::= CL CommandList CL ::= C C ; CL Command C ::= L = E while E : CL end print L Expression E ::= N ( E + E ) L &L LefthandSide L ::= I *L Variable I ::= Numeral N ::=
More informationPowerPoint 프레젠테이션
(Host) set up : Linux Backend RS-232, Ethernet, parallel(jtag) Host terminal Target terminal : monitor (Minicom) JTAG Cross compiler Boot loader Pentium Redhat 9.0 Serial port Serial cross cable Ethernet
More informationTITLE
CSED421 Database Systems Lab MySQL Basic Syntax SQL DML & DDL Data Manipulation Language SELECT UPDATE DELETE INSERT INTO Data Definition Language CREATE DATABASE ALTER DATABASE CREATE TABLE ALTER TABLE
More information목차 BUG offline replicator 에서유효하지않은로그를읽을경우비정상종료할수있다... 3 BUG 각 partition 이서로다른 tablespace 를가지고, column type 이 CLOB 이며, 해당 table 을 truncate
ALTIBASE HDB 6.1.1.5.6 Patch Notes 목차 BUG-39240 offline replicator 에서유효하지않은로그를읽을경우비정상종료할수있다... 3 BUG-41443 각 partition 이서로다른 tablespace 를가지고, column type 이 CLOB 이며, 해당 table 을 truncate 한뒤, hash partition
More information<C6F7C6AEB6F5B1B3C0E72E687770>
1-1. 포트란 언어의 역사 1 1-2. 포트란 언어의 실행 단계 1 1-3. 문제해결의 순서 2 1-4. Overview of Fortran 2 1-5. Use of Columns in Fortran 3 1-6. INTEGER, REAL, and CHARACTER Data Types 4 1-7. Arithmetic Expressions 4 1-8. 포트란에서의
More informationMicrosoft PowerPoint - chap11-포인터의활용.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 학습목표 포인터를 사용하는 다양한 방법에
More informationfx-82EX_fx-85EX_fx-350EX
KO fx-82ex fx-85ex fx-350ex http://edu.casio.com RJA532550-001V01 ...2... 2... 2... 3... 4...5...5...6... 8... 9...10... 10... 11... 13... 16...17...17... 17... 18... 20 CASIO Computer Co., Ltd.,,, CASIO
More informationPowerPoint 프레젠테이션
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 information1.2 자료형 (data type) 프로그램에서다루는값의형태로변수나함수를정의할때주로사용하며, 컴퓨터는선언된 자료형만큼의메모리를확보하여프로그래머에게제공한다 정수 (integer) 1) int(4 bytes) 연산범위 : (-2 31 ) ~ (2 31 /2)-
1.2 자료형 (data type) 프로그램에서다루는값의형태로변수나함수를정의할때주로사용하며, 컴퓨터는선언된 자료형만큼의메모리를확보하여프로그래머에게제공한다. 1.2.1 정수 (integer) 1) int(4 bytes) 연산범위 : (-2 31 ) ~ (2 31 /2)-1 연산범위이유 : 00000000 00000000 00000000 00000000의 32
More informationPowerPoint 프레젠테이션
KeyPad Device Control - Device driver Jo, Heeseung HBE-SM5-S4210 에는 16 개의 Tack Switch 를사용하여 4 행 4 열의 Keypad 가장착 4x4 Keypad 2 KeyPad 를제어하기위하여 FPGA 내부에 KeyPad controller 가구현 KeyPad controller 16bit 로구성된
More informationMicrosoft PowerPoint - semantics
제 3 장시맨틱스 (Semantics) Reading Chap 13 숙대창병모 Sep. 2007 1 3.1 Operational Semantics 숙대창병모 Sep. 2007 2 시맨틱스의필요성 프로그램의미의정확한이해 소프트웨어의정확한명세 소프트웨어시스템에대한검증혹은추론 컴파일러혹은해석기작성의기초 숙대창병모 Sep. 2007 3 의미론의종류 Operational
More informationMicrosoft PowerPoint Predicates and Quantifiers.ppt
이산수학 () 1.3 술어와한정기호 (Predicates and Quantifiers) 2006 년봄학기 문양세강원대학교컴퓨터과학과 술어 (Predicate), 명제함수 (Propositional Function) x is greater than 3. 변수 (variable) = x 술어 (predicate) = P 명제함수 (propositional function)
More informationPowerPoint 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 informationModern 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슬라이드 1
1 장. C 의개요 박종혁교수 UCS Lab Tel: 970-6702 Email: jhpark1@seoultech.ac.kr SeoulTech 2018-1 st 프로그래밍입문 (1) 2 C 의개요 C-Language 란? 원하는결과를얻어내기위한 Program 작성시필요한일종의언어 Unix 운영체제하에서시스템프로그래밍을하기위해개발된언어 구조적인언어, 강력한기능,
More informationJavascript.pages
JQuery jquery part1 JavaScript : e-mail:leseraphina@naver.com http://www.webhard.co.kr I.? 2 ......,,. : : html5 ; ; .
More information(Asynchronous Mode) ( 1, 5~8, 1~2) & (Parity) 1 ; * S erial Port (BIOS INT 14H) - 1 -
(Asynchronous Mode) - - - ( 1, 5~8, 1~2) & (Parity) 1 ; * S erial Port (BIOS INT 14H) - 1 - UART (Univ ers al As y nchronous Receiver / T rans mitter) 8250A 8250A { COM1(3F8H). - Line Control Register
More informationMicrosoft PowerPoint - chap10-함수의활용.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 학습목표 중 값에 의한 전달 방법과
More information제 14 장포인터활용 유준범 (JUNBEOM YOO) Ver 본강의자료는생능출판사의 PPT 강의자료 를기반으로제작되었습니다.
제 14 장포인터활용 유준범 (JUNBEOM YOO) Ver. 2.0 jbyoo@konkuk.ac.kr http://dslab.konkuk.ac.kr 본강의자료는생능출판사의 PPT 강의자료 를기반으로제작되었습니다. 이번장에서학습할내용 이중포인터란무엇인가? 포인터배열 함수포인터 다차원배열과포인터 void 포인터 포인터는다양한용도로유용하게활용될수있습니다. 2 이중포인터
More informationuntitled
int i = 10; char c = 69; float f = 12.3; int i = 10; char c = 69; float f = 12.3; printf("i : %u\n", &i); // i printf("c : %u\n", &c); // c printf("f : %u\n", &f); // f return 0; i : 1245024 c : 1245015
More informationContents Activity Define Real s Activity Define Reports UI, and Storyboards Activity Refine System Architecture Activity Defin
OSP Stage 2040 < Design > 그놈! Clone Checker Project Team T4 Date 2016-04-12 Team Information 201411258 강태준 201411265 김서우 201411321 홍유리 Team 4 1 Contents Activity 2041. Define Real s Activity 2042. Define
More informationMicrosoft PowerPoint - chap-06.pptx
쉽게풀어쓴 C 언어 Express 제 6 장조건문 컴퓨터프로그래밍기초 이번장에서학습할내용 조건문이란? if 문 if, 문 중첩 if 문 switch 문 break문 continue문 goto 문 5장까지는문장들이순차적으로실행된다고하였다. 하지만필요에따라서조건이만족되면문장의실행순서를변경할수있는기능이제공된다. 컴퓨터프로그래밍기초 2 조건문 조건에따라서여러개의실행경로가운데하나를선택
More informationPowerPoint 프레젠테이션
Network Programming Jo, Heeseung Network 실습 네트워크프로그래밍 멀리떨어져있는호스트들이서로데이터를주고받을수있도록프로그램을구현하는것 파일과는달리데이터를주고받을대상이멀리떨어져있기때문에소프트웨어차원에서호스트들간에연결을해주는장치가필요 이러한기능을해주는장치로소켓이라는인터페이스를많이사용 소켓프로그래밍이란용어와네트워크프로그래밍이랑용어가같은의미로사용
More informationMySQL-.. 1
MySQL- 기초 1 Jinseog Kim Dongguk University jinseog.kim@gmail.com 2017-08-25 Jinseog Kim Dongguk University jinseog.kim@gmail.com MySQL-기초 1 2017-08-25 1 / 18 SQL의 기초 SQL은 아래의 용도로 구성됨 데이터정의 언어(Data definition
More information