Table of Contents 1 Introduction Implementation Connection Process Socket 0 Open in MACRAW mode PPPoE Discovery Proces

Size: px
Start display at page:

Download "Table of Contents 1 Introduction Implementation Connection Process Socket 0 Open in MACRAW mode PPPoE Discovery Proces"

Transcription

1 PPPoE Application Note in MACRAW mode Version WIZnet Co., Ltd. All Rights Reserved. For more information, visit our website at W7100A Application Note PPPoE in MACRAW mode v1.0.0

2 Table of Contents 1 Introduction Implementation Connection Process Socket 0 Open in MACRAW mode PPPoE Discovery Process PPP LCP Configuration Process PPP Authentication Process PAP (Password Authentication Protocol) CHAP (Challenge-Handshake Authentication Protocol) PPP IPCP Configuration Process PPPoE Configuration Setting Process Demonstration Document History Information Application Note PPPoE in MACRAW mode v

3 1 Introduction WIZnet TCP/IP devices는 MACRAW 모드에서구현된 PPP/PPPoE Protocol을지원한다. PPP Protocol은 ISP(Internet Service Provider) 에서제공하는 Network Access Server(NAS) 에 pointto-point 연결을설정하고 IP data packet을전달하는 Link-layer protocol이다. PPP/PPPoE의대표적인이용예로는 ADSL이있으며, ADSL은전화선망을이용해서데이터통신을할수있게하는통신수단으로광범위한서비스에서사용되고있다. Figure 1. PPPoE (ADSL 의이용예 ) 본 Application note 에서는펌웨어상에서 MACRAW 모드를이용하여구현된 PPPoE 프로그 램의프로토콜의구성과인터넷에연결되기까지의과정을단계별로의사코드 (pseudo code) 를이용하여설명한다. MACRAW 모드는 Ethernet MAC 을기반으로그상위 Protocol 을 Host 가목적에맞도록유연 하게사용할수있게하는통신방법이다. MACRAW 모드에대한좀더자세한내용은 W7100A application note 중 How to implement MACRAW for W7100A 를참조하기바란다 구현된 PPPoE protocol 은 Figure 2 와같이동작한다. Figure 2. Simple flow of PPPoE with MACRAW mode Application Note PPPoE in MACRAW mode v

4 먼저 MACRAW 모드로소켓을오픈한뒤 PPPoE Connection Process를수행한다. PPPoE Connection Process에서는단말기와 NAS가 Discovery, LCP, Authentication(PAP, CHAP), IPCP의각프로토콜에해당하는메시지를교환하게되며, 이를통해 NAS에서할당된 IP Address를 WIZnet TCP/IP device에설정하여동작하게함으로써 point-to-point 연결이설정된다. PPPoE 연결에서수행되는 protocol의동작내용은 3. Connection Process에서자세히다룬다. Application Note PPPoE in MACRAW mode v

5 2 Implementation PPPoE Connection Process 의메시지교환과정은다음 Figure 3 과같이구현되어있다. Rx, Tx 버퍼는프로토콜데이터패킷의송, 수신을위해이용하는논리적메모리공간으로, 실제구현에서는배열을선언하여사용하였다. Figure 3. PPPoE Simple Implementation Diagram Application Note PPPoE in MACRAW mode v

6 // PPPoE Start function uint8_t ppp_start(uint8_t * pppoe_buf); Table 1. MACRAW mode PPPoE Functions list // PPPoE Discovery function void do_discovery(void); // PPPoE protocol message generate functions void do_lcp(void); void do_lcp_echo(void); uint8_t do_lcp_terminate(void); void do_pap(void); void do_pap(void); // PPPoE protocol message send function void ppp_send(void); // PPPoE Packet check and response send function void ppp_recv( uint16_t received_len ); // Write Server MAC address and session ID void set_pppinfo(uint8_t * nas_mac, uint8_t * ppp_ip, uint16_t nas_sessionid); // PPPoE Delay function void delay_ms(uint32_t time); Application Note PPPoE in MACRAW mode v

7 3 Connection Process MACRAW 모드를이용하여 PPPoE 연결을수행하기위해다음과같은과정을거치게된다. Figure 4. PPPoE Connection Process with MACRAW mode Phase 0. MAC PPPoE 연결및통신을위한기본적인환경설정을수행한다. Phase 1. PPPoE Discovery Process 연결을개시하기위해 PPPoE Server(NAS) 와연결을수행한다. Phase 2. PPP LCP Configuration Process NAS 와의협상을통해 PPPoE 연결을위한기본사항들을결정한다. Phase 3. PPP Authentication Process Authentication protocol 인 PAP 나 CHAP 를사용하여사용자인증을수행한다. Phase 4. PPP IPCP Configuration Process IP protocol 에서사용할 IP, Gateway, DNS address 등의주소를획득한다. Phase 5. PPPoE Configuration Setting Process PPPoE 모드로 Socket 을 open 하고목적지 IP, MAC address, Session ID 를 WIZnet TCP/IP device 에기록하며 Timeout setting 을수행한다. Application Note PPPoE in MACRAW mode v

8 3.1 Socket 0 Open in MACRAW mode 단말기의 PPPoE 연결및통신을위한기본적인환경설정을수행한다. 이 Application note 에서구현하는 PPPoE 는 MACRAW 모드를사용하므로, MACRAW 모드로소켓 0 번을 open 한다. /* PPPoE Setup */ Table 2. Socket OPEN with MACRAW mode #define Sn_MR_MACRAW 0x04 sock_num = 0; // The SOCKET use only the SOCKET0. dummyport = 0; // The source port for the socket, not used port number. mflag = 0x80; // MAC filter enable in MACRAW /* OPEN SOCKET0 with MACRAW mode */ Switch(getSn_SR(sock_num) Case SOCK_CLOSED : close(sock_num); socket(sock_num, Sn_MR_MACRAW, dummyport, mflag); Case SOCK_MACRAW : Application Note PPPoE in MACRAW mode v

9 3.2 PPPoE Discovery Process 단말기의연결을개시하기위해 PPPoE Server(NAS) 와연결을수행한다. - 연결할 NAS의 MAC address를획득 - NAS로부터통신에서사용될 Session ID를획득 Figure 5. PPPoE Discovery Process Table 3. PPPoE Discovery /* PPPoE Discovery */ pppoe_state = PPPoE_DISCOVERY; /* PPPoE Discovery : ppp_start() */ do_discovery(); // Send PADI massage using broadcast pppoe_retry_send_count++; while(! FLAG_DISCOVERY_RCV_PADS )// Not receive PADS received len = getsn_rx_rsr(sock_num) // Received packet length if( received_len > 0 ) // If packet received ppp_recv(received_len);// Receive packet and Parse process Application Note PPPoE in MACRAW mode v

10 if( FLAG_DISCOVERY_RCV_PADS ) pppoe_state = PPPoE_LCP; // Go to the next phase: PPPoE_LCP /* PPPoE Discovery : ppp_recv(received_len) */ Case PPPoE_DISCOVERY : If( PPPoE_PADO ) // PADO massage received while( taglen ) // If tag length > 0 switch( tagname ) // Process Tags and making PADR massage case SERVICE_NAME : case HOST_UNIQ : case AC_NAME: case AC_COOKIE : // Making PADR massage taglen =- ppp_tag_len; // Length of all tags length of each tag ppp_send(); // Send PADR massage using unicast else if( PPPoE_PADS ) // PADS massage received // Session ID is used to whole connection process after PPPoE discovery process. NAS_sessionid = received NAS session ID; // Save Session ID from NAS pppoe_control_flag = pppoe_control_flag FLAG_DISCOVERY_RCV_PADS;// Received PADS indicate flag Break; Application Note PPPoE in MACRAW mode v

11 3.3 PPP LCP Configuration Process NAS와의협상을통해 PPPoE 연결을위한기본사항들을결정한다. LCP 옵션항목을이용하여다음과같은사항을서로요청 (Config-Request) 하고응답 (Config- ACK) 하며, 각요청과응답은동일한 Magic Number를이용하여야한다. - MRU (Maximum Receive Unit) - Authentication Protocol (PAP, CHAP 등 ) <Notice> 제공하는예제펌웨어소스코드의수신 Packet을 Parsing하는 ppp_recv(received_len); 함수에는모든옵션이구현되어있는것이아니며, 기본적인 PPPoE 구현을위해필요한최소의옵션들만구현되어있다. 만약기본적으로구현된옵션외에추가옵션이요구될경우, 구현된기본옵션과 RFC에정의된해당프로토콜의옵션리스트를참고하여필요에따라구현하기바란다. 이에대한부분은예제코드상에 notice로표시되어있다. Figure 6. PPP LCP Configuration Process Application Note PPPoE in MACRAW mode v

12 Table 4. PPP LCP Configuration /* PPP LCP Configuration : ppp_start() */ // Received packet length do_lcp_echo();// Send LCP Echo-Request pppoe_retry_send_count++; while(! FLAG_LCP_CR_RCV) received_len = getsn_rx_rsr(sock_num); if( received_len > 0 ) ppp_recv(received_len); // Receive packet and Parse process if (FLAG_LCP_CR_RCV ) do_lcp();// Send LCP Configuration-Request while(! FLAG_LCP_CR_SNT ) received_len = getsn_rx_rsr(sock_num); if( received_len > 0 ) ppp_recv(received_len); // Receive packet and Parse process if( FLAG_LCP_CR_SNT ) // Authentication protocol : PAP, Go to the next phase: PPPoE_PAP If( auth_protocol == PPPoE_PAP ) pppoe_state = PPPoE_PAP; // Authentication protocol : CHAP, Go to the next phase: PPPoE_CHAP else if( auth_protocol == PPPoE_CHAP ) pppoe_state = PPPoE_CHAP; // Unknown Authentication protocol, Go to the failed state: PPPoE_FAILED else pppoe_state = PPPoE_FAILED; Application Note PPPoE in MACRAW mode v

13 /* PPP LCP Configuration : ppp_recv(received_len) */ Case PPPoE_SESSION : If( PPPoE_LCP ) Switch( codename ) Case CONFIG_REQ : getlen = all option length; While( getlen ) opt_code = option code; opt_len = option length; Switch( opt_code ) Case LCP_MRU : Case LCP_AUTH : Case LCP_MAGICNUM : // Parsing and making Config-Ack massage Default : // Making Config-Reject massage // and rej_idx += opt_len; getlen -= opt_len; // Send Response message for Request message from NAS If( rjt_idx ) // if any option is rejected, send reject message and then wait Config-Request // Making Config-Reject massage and send ppp_send(); else // Send Config-Ack, lcp_cr_rcv flag set // Making Config-Ack massage and send ppp_send(); Break; Application Note PPPoE in MACRAW mode v

14 Case CONFIG_ACK : // ack, then lcp_cr_sent flag set FLAG_LCP_CR_SNT = 1; // Set flag Break; /* Notice : This part is not implemented. */ /* If necessary, please implement more for reply for request from NAS. */ /* case CONFIG_REJ : //reject case ECHO_REQ : // Echo-Request */ Default : Break; Break; Application Note PPPoE in MACRAW mode v

15 3.4 PPP Authentication Process PPPoE 연결에서사용자인증을처리하기위한과정이다. 어떤사용자인증방법을이용할지에대해서는 Ch. 2.4 LCP Configuration Protocol에서결정된다. 현재구현된 PPPoE 프로그램에서는 Authentication protocol로 PAP와 CHAP를지원하며사용자가필요한경우추가적인인증방법을구현하여삽입하면된다 PAP (Password Authentication Protocol) PAP는 NAS로사용자의 ID와 Password만보내면 NAS가확인하여 Ack( 올바른사용자 ) / Nak( 올바르지않은사용자 ) 만사용자에게전송하는간단한인증방식이다. 사용자가 Ack를수신하면인증은성공적으로이루어지고, 다음단계로넘어가게된다. Figure 7. PAP Authentication Process Table 5. PAP Authentication /* PPP PAP Authentication */ /* PPP PAP Authentication : ppp_start() */ do_pap();// Send PAP Authentication-Request pppoe_retry_send_count++; // Received packet length While(! FLAG_PAP_ACK_RCV ) received len = getsn_rx_rsr(sock_num) // Received packet length Application Note PPPoE in MACRAW mode v

16 if( received_len > 0 ) // If packet received ppp_recv(received_len); // Receive packet and Parse process if( FLAG_PAP_ACK_RCV ) pppoe_state = PPPoE_IPCP; // Go to the next phase: PPPoE_IPCP /* PPP PAP Authentication : ppp_recv(received_len) */ Case PPPoE_SESSION : If( PPPoE_PAP ) If( codename == CONFIG_ACK ) FLAG_PAP_ACK_RCV = 1; // Set PAP Ack receive flag Break; Application Note PPPoE in MACRAW mode v

17 3.4.2 CHAP (Challenge-Handshake Authentication Protocol) 또다른인증프로토콜인 CHAP는패스워드가직접전달되지않고, 암호화되어전송되기때문에 PAP보다보안성이높은특징을갖고있다. 기본적인 CHAP의인증절차는다음 Figure 7의 CHAP Authentication Process와같이 3-Way Handshaking 절차를수행한다. 1. NAS(PPPoE Server) 는랜덤한값인 Challenge Value(CV) 를포함한 CHAP-Challenge 패킷을단말로송신한다. 2. CHAP-Challenge 메시지를수신한단말은 CV 값과자신의 password, 그리고순서번호인 ID 값을이용하여 Message Digest 5(MD5) 방식으로 Hashed Value(HV) 를생성하고, 이 HV를담은 CHAP-Response 패킷을 NAS로전달한다. 3. 패킷을수신한인증서버는자신이생성했던 CV 값과자신의계정테이블에저장된사용자 ID와패킷일련번호를이용한 HV 값을생성하여수신된 HV와비교한다. 4. 만약 HV와 HV 값이일치한다면해당사용자를유효한사용자로판단하고 NAS는단말로 CHAP-Success 메시지를보내응답하며, 그렇지않다면 CHAP Fail 메시지로응답한다. Figure 8. CHAP Authentication Process Application Note PPPoE in MACRAW mode v

18 Table 6. CHAP Authentication /* PPP CHAP Authentication */ /* PPP CHAP Authentication : ppp_start() */ // Received packet length While(! FLAG_CHAP_SUC_RCV ) received len = getsn_rx_rsr(sock_num) // Received packet length if( received_len > 0 ) // If packet received ppp_recv(received_len); // Receive packet and Parse process if( FLAG_CHAP_SUC_RCV ) pppoe_state = PPPoE_IPCP; // Go to the next phase: PPPoE_IPCP /* PPP CHAP Authentication : ppp_recv(received_len) */ Case PPPoE_SESSION : If( PPPoE_CHAP ) Switch( chap_algorithm ) Case MD5 : // 0x05, using MD5 algorithm Switch( codename ) Case 0x01 : // CHAP-Challenge // MD5 Calculation CV and send CHAP-Response to NAS ppp_send(); Case 0x03 : // CHAP-Success FLAG_CHAP_SUC_RCV = 1; Case 0x04 : // CHAP-Failed Default : /* Notice : This part is not implemented. */ /* If necessary, please implement more for the other CHAP algorithm */ Application Note PPPoE in MACRAW mode v

19 /* Case MS_CHAP : // 0x80 Case MS_CHAP_V2 // 0x81 */ Default : Break; Application Note PPPoE in MACRAW mode v

20 3.5 PPP IPCP Configuration Process IP protocol 에서사용할 IP, Gateway, DNS address 등의주소를획득한다. <Notice> 제공하는예제펌웨어소스코드의수신 Packet을 Parsing하는 ppp_recv(received_len); 함수에는모든옵션이구현되어있는것이아니며, 기본적인 PPPoE 구현을위해필요한최소의옵션들만구현되어있다. 만약기본적으로구현된옵션외에추가옵션이요구될경우, 구현된기본옵션과 RFC에정의된해당프로토콜의옵션리스트를참고하여필요에따라구현하기바란다. 이에대한부분은예제코드상에 notice로표시되어있다. Figure 9. PPP IPCP Configuration Process Application Note PPPoE in MACRAW mode v

21 Table 7. PPP IPCP Configuration /* PPP IPCP Configuration */ /* PPP IPCP Configuration : ppp_start() */ // Received packet length While(! FLAG_IPCP_CR_RCV ) received len = getsn_rx_rsr(sock_num) // Received packet length if( received_len > 0 ) // If packet received ppp_recv(received_len); // Receive packet and Parse process if( FLAG_IPCP_CR_RCV ) pppoe_state = PPPoE_IPCP; if( FLAG_IPCP_CR_RCV ) do_ipcp(); While(! FLAG_IPCP_CR_SNT ) received len = getsn_rx_rsr(sock_num) // Received packet length if( received_len > 0 ) // If packet received ppp_recv(received_len); // Receive packet and Parse process if ( FLAG_IPCP_CR_SNT ) // PPPoE Configuration setting set_pppinfo(nas_mac, pppoe_ip, NAS_sessionid); // Return PPPoE Connection success ret = PPP_SUCCESS; /* PPP IPCP Configuration : ppp_recv(received_len) */ Case PPPoE_SESSION : If( PPPoE_IPCP ) Application Note PPPoE in MACRAW mode v

22 Switch( codename ) Case CONFIG_REQ : Case CONFIG_NAK : getlen = all option length; While( getlen ) opt_code = option code; opt_len = option length; Switch( opt_code ) Case 0x02 : // IP compression Case 0x03 : // IP address // Parsing and making Config-Ack massage // Save assigned IP address /* Notice : This part is not fully implemented. */ /* If necessary, please implement more for DNS or etc.*/ default : // Making Config-Reject massage // and rej_idx += opt_len; getlen -= opt_len; // Send Response message for Request message from NAS If( rjt_idx ) // if any option is rejected, send reject message and then wait Config-Request // Making Config-Reject massage and send ppp_send(); else // Send Config-Ack, lcp_cr_rcv flag set // Making Config-Ack massage and send ppp_send(); FLAG_IPCP_NAK_RCV = 1; Application Note PPPoE in MACRAW mode v

23 Case CONFIG_ACK : // Ack, then ipcp_cr_snt flag set if( flag_ipcp_nak_rcv ) FLAG_IPCP_CR_SNT = 1; Break; Application Note PPPoE in MACRAW mode v

24 3.6 PPPoE Configuration Setting Process PPPoE connection을위해 Socket 0을 MACRAW mode로 open하고목적지 IP, MAC address, Session ID를 NAS로부터얻은후단말기에기록한다. 그후소켓을 PPPoE로사용하기위해 MR 레지스터 (Common Mode Register) 를 PPPoE로설정해주고 open하면이때부터사용자는 PPPoE를이용할수있게된다. 단말기는 PPPoE 연결이성공적으로이루어지면연결의지속을위해 H/W 로직으로구현된 LCP Echo Request를 Timer에정해진주기마다 NAS로전송한다. 이때 Timer의주기는 PTIMER 레지스터의설정을통해조절가능하다. Table 8. PPPoE Configuration Setting /* PPPoE Configuration Setting */ #define PTIMER (COMMON_BASE + 0x0028) #define Sn_MR_PPPOE 0x05 #define Sn_CR_OPEN 0x01 i = 0; // index for for statement /* Set PPPoE bit in MR(Common Mode Register) : Enable Socket 0 PPPoE */ IINCHIP_WRITE(MR,IINCHIP_READ(MR) MR_PPPOE); /* Set PPPoE Network information */ for (i = 0; i < 6; i++) IINCHIP_WRITE((Sn_DHAR0(0)+i), mac[i]); // NAS MAC address for (i = 0; i < 4; i++) IINCHIP_WRITE((Sn_DIPR0(0)+i), ip[i]); // Assigned IP address IINCHIP_WRITE((Sn_DPORT0(0)), (uint8)(sessionid >> 8)); // Session ID IINCHIP_WRITE((Sn_DPORT0(0)+1), (uint8)sessionid); setsn_ir(0, getsn_ir(0)); /* Set PPPoE Timer */ IINCHIP_WRITE(PTIMER,200); // 5 Sec timeout /* Open Socket in PPPoE mode */ IINCHIP_WRITE(Sn_MR(0),Sn_MR_PPPOE); IINCHIP_WRITE(Sn_CR(0),Sn_CR_OPEN); while( IINCHIP_READ(Sn_CR(0)) ); wait_1us(1); Application Note PPPoE in MACRAW mode v

25 4 Demonstration 다음은 MACRAW 모드에서구현된 PPPoE Protocol과 W7100A를이용하여 NAS로부터 IP address를할당받기까지의과정을보인다. NAS는 Windows Server 2000을이용하였으며, 인증프로토콜은 PAP를사용하였고 부터의 IP address를 IP pool로설정하여할당하도록구성하였다. IPCP를마지막으로 PPPoE 연결이올바르게수행되고, 3.6 PPPoE Configuration Setting Process의과정이수행되면 W7100A는지정된 PTIMER 시간마다 NAS로 LCP Echo Request를자동으로보내연결을유지한다. Figure 10. Serial Terminal capture of PPPoE Demonstration Figure 11. PPPoE Connection Process - Packet Capture Application Note PPPoE in MACRAW mode v

26 Document History Information Version Date Descriptions Ver. 1.0 Feb, 2014 Release Copyright Notice Copyright 2014 WIZnet Co., Ltd. All Rights Reserved. Technical support : Sales & Distribution: sales@wiznet.co.kr For more information, visit our website at and visit our wiki site at Application Note PPPoE in MACRAW mode v

PPP over Ethernet 개요 김학용 World Class Value Provider on the Net contents Ⅰ. PPP 개요 Ⅱ. PPPoE 개요및실험 Ⅲ. 요약및맺음말

PPP over Ethernet 개요 김학용   World Class Value Provider on the Net contents Ⅰ. PPP 개요 Ⅱ. PPPoE 개요및실험 Ⅲ. 요약및맺음말 PPP over Ethernet 개요 김학용 http://hakyongkim.net contents Ⅰ. PPP 개요 Ⅱ. PPPoE 개요및실험 Ⅲ. 요약및맺음말 PPP 개요 PPP 의필요성 PPP 의구성및동작 LCP 절차 PAP/CHAP 절차 IPCP 절차 PPP 상태천이도 PPP 패킷형식 3 PPP 의필요성! 사용자에대한개별적인인증 " 과금 " 사용자별서비스제어!

More information

TCP.IP.ppt

TCP.IP.ppt TCP/IP TCP/IP TCP/IP TCP/IP TCP/IP Internet Protocol _ IP Address Internet Protocol _ Subnet Mask Internet Protocol _ ARP(Address Resolution Protocol) Internet Protocol _ RARP(Reverse Address Resolution

More information

PWR PWR HDD HDD USB USB Quick Network Setup Guide xdsl/cable Modem PC DVR 1~3 1.. DVR DVR IP xdsl Cable xdsl Cable PC PC DDNS (

PWR PWR HDD HDD USB USB Quick Network Setup Guide xdsl/cable Modem PC DVR 1~3 1.. DVR DVR IP xdsl Cable xdsl Cable PC PC DDNS ( PWR PWR HDD HDD USB USB Quick Network Setup Guide xdsl/cable Modem PC DVR 1~3 1.. DVR DVR IP xdsl Cable xdsl Cable PC PC DDNS (http://ddns.hanwha-security.com) Step 1~5. Step, PC, DVR Step 1. Cable Step

More information

일반적인 네트워크의 구성은 다음과 같다

일반적인 네트워크의 구성은 다음과 같다 W5200 Errata Sheet Document History Ver 1.0.0 (Feb. 23, 2012) First release (erratum 1) Ver 1.0.1 (Mar. 28, 2012) Add a solution for erratum 1, 2 Ver 1.0.2 (Apr. 03, 2012) Add a solution for erratum 3

More information

USB USB DV25 DV25 REC SRN-475S REC SRN-475S LAN POWER LAN POWER Quick Network Setup Guide xdsl/cable Modem PC DVR 1~3 1.. DVR DVR IP xdsl Cable xdsl C

USB USB DV25 DV25 REC SRN-475S REC SRN-475S LAN POWER LAN POWER Quick Network Setup Guide xdsl/cable Modem PC DVR 1~3 1.. DVR DVR IP xdsl Cable xdsl C USB USB DV25 DV25 REC SRN-475S REC SRN-475S LAN POWER LAN POWER Quick Network Setup Guide xdsl/cable Modem PC DVR 1~3 1.. DVR DVR IP xdsl Cable xdsl Cable PC PC Step 1~5. Step, PC, DVR Step 1. Cable Step

More information

SMB_ICMP_UDP(huichang).PDF

SMB_ICMP_UDP(huichang).PDF SMB(Server Message Block) UDP(User Datagram Protocol) ICMP(Internet Control Message Protocol) SMB (Server Message Block) SMB? : Microsoft IBM, Intel,. Unix NFS. SMB client/server. Client server request

More information

bn2019_2

bn2019_2 arp -a Packet Logging/Editing Decode Buffer Capture Driver Logging: permanent storage of packets for offline analysis Decode: packets must be decoded to human readable form. Buffer: packets must temporarily

More information

Sena Device Server Serial/IP TM Version

Sena Device Server Serial/IP TM Version Sena Device Server Serial/IP TM Version 1.0.0 2005. 3. 7. Release Note Revision Date Name Description V1.0.0 2005-03-7 HJ Jeon Serial/IP 4.3.2 ( ) 210 137-130, : (02) 573-5422 : (02) 573-7710 email: support@sena.com

More information

Network seminar.key

Network seminar.key Intro to Network .. 2 4 ( ) ( ). ?!? ~! This is ~ ( ) /,,,???? TCP/IP Application Layer Transfer Layer Internet Layer Data Link Layer Physical Layer OSI 7 TCP/IP Application Layer Transfer Layer 3 4 Network

More information

Remote UI Guide

Remote UI Guide Remote UI KOR Remote UI Remote UI PDF Adobe Reader/Adobe Acrobat Reader. Adobe Reader/Adobe Acrobat Reader Adobe Systems Incorporated.. Canon. Remote UI GIF Adobe Systems Incorporated Photoshop. ..........................................................

More information

untitled

untitled CAN BUS RS232 Line Ethernet CAN H/W FIFO RS232 FIFO IP ARP CAN S/W FIFO TERMINAL Emulator COMMAND Interpreter ICMP TCP UDP PROTOCOL Converter TELNET DHCP C2E SW1 CAN RS232 RJ45 Power

More information

시스코 무선랜 설치운영 매뉴얼(AP1200s_v1.1)

시스코 무선랜 설치운영 매뉴얼(AP1200s_v1.1) [ Version 1.3 ] Access Point,. Access Point IP 10.0.0.1, Subnet Mask 255.255.255.224, DHCP Client. DHCP Server IP IP,, IP 10.0.0.X. (Tip: Auto Sensing Straight, Cross-over.) step 1]. step 2] LAN. step

More information

hd1300_k_v1r2_Final_.PDF

hd1300_k_v1r2_Final_.PDF Starter's Kit for HelloDevice 1300 Version 11 1 2 1 2 3 31 32 33 34 35 36 4 41 42 43 5 51 52 6 61 62 Appendix A (cross-over) IP 3 Starter's Kit for HelloDevice 1300 1 HelloDevice 1300 Starter's Kit HelloDevice

More information

2005 2004 2003 2002 2001 2000 Security Surveillance Ubiquitous Infra Internet Infra Telematics Security Surveillance Telematics Internet Infra Solutions Camera Site (NETWORK) Monitoring & Control

More information

SRC PLUS 제어기 MANUAL

SRC PLUS 제어기 MANUAL ,,,, DE FIN E I N T R E A L L O C E N D SU B E N D S U B M O TIO

More information

Subnet Address Internet Network G Network Network class B networ

Subnet Address Internet Network G Network Network class B networ Structure of TCP/IP Internet Internet gateway (router) Internet Address Class A Class B Class C 0 8 31 0 netid hostid 0 16 31 1 0 netid hostid 0 24 31 1 1 0 netid hostid Network Address : (A) 1 ~ 127,

More information

ARMBOOT 1

ARMBOOT 1 100% 2003222 : : : () PGPnet 1 (Sniffer) 1, 2,,, (Sniffer), (Sniffer),, (Expert) 3, (Dashboard), (Host Table), (Matrix), (ART, Application Response Time), (History), (Protocol Distribution), 1 (Select

More information

Network Security - Wired Sniffing 실습 ICNS Lab. Kyung Hee University

Network Security - Wired Sniffing 실습 ICNS Lab. Kyung Hee University Network Security - Wired Sniffing 실습 ICNS Lab. Kyung Hee University Outline Network Network 구조 Source-to-Destination 간 packet 전달과정 Packet Capturing Packet Capture 의원리 Data Link Layer 의동작 Wired LAN Environment

More information

1. What is AX1 AX1 Program은 WIZnet 사의 Hardwired TCP/IP Chip인 iinchip 들의성능평가및 Test를위해제작된 Windows 기반의 PC Program이다. AX1은 Internet을통해 iinchip Evaluation

1. What is AX1 AX1 Program은 WIZnet 사의 Hardwired TCP/IP Chip인 iinchip 들의성능평가및 Test를위해제작된 Windows 기반의 PC Program이다. AX1은 Internet을통해 iinchip Evaluation 1. What is AX1 AX1 Program은 WIZnet 사의 Hardwired TCP/IP Chip인 iinchip 들의성능평가및 Test를위해제작된 Windows 기반의 PC Program이다. AX1은 Internet을통해 iinchip Evaluation Board(EVB B/D) 들과 TCP/IP Protocol로연결되며, 연결된 TCP/IP

More information

chapter4

chapter4 Basic Netw rk 1. ก ก ก 2. 3. ก ก 4. ก 2 1. 2. 3. 4. ก 5. ก 6. ก ก 7. ก 3 ก ก ก ก (Mainframe) ก ก ก ก (Terminal) ก ก ก ก ก ก ก ก 4 ก (Dumb Terminal) ก ก ก ก Mainframe ก CPU ก ก ก ก 5 ก ก ก ก ก ก ก ก ก ก

More information

슬라이드 1

슬라이드 1 DHCP (Dynamic Host Configuration Protocol) Oct 2006 Technical Support Div. Tel : 031-739-6800 Mail : support@corecess.com DHCP Motivations Automatic network configuration for clients No administrator intervention

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 - (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 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

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 (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 information

ORANGE FOR ORACLE V4.0 INSTALLATION GUIDE (Online Upgrade) ORANGE CONFIGURATION ADMIN O

ORANGE FOR ORACLE V4.0 INSTALLATION GUIDE (Online Upgrade) ORANGE CONFIGURATION ADMIN O Orange for ORACLE V4.0 Installation Guide ORANGE FOR ORACLE V4.0 INSTALLATION GUIDE...1 1....2 1.1...2 1.2...2 1.2.1...2 1.2.2 (Online Upgrade)...11 1.3 ORANGE CONFIGURATION ADMIN...12 1.3.1 Orange Configuration

More information

(SW3704) Gingerbread Source Build & Working Guide

(SW3704) Gingerbread Source Build & Working Guide (Mango-M32F4) Test Guide http://www.mangoboard.com/ http://cafe.naver.com/embeddedcrazyboys Crazy Embedded Laboratory www.mangoboard.com cafe.naver.com/embeddedcrazyboys CRZ Technology 1 Document History

More information

<4D F736F F F696E74202D20BBB7BBB7C7D15F FBEDFB0A3B1B3C0B05FC1A638C0CFC2F72E BC8A3C8AF20B8F0B5E55D>

<4D F736F F F696E74202D20BBB7BBB7C7D15F FBEDFB0A3B1B3C0B05FC1A638C0CFC2F72E BC8A3C8AF20B8F0B5E55D> 뻔뻔한 AVR 프로그래밍 The Last(8 th ) Lecture 유명환 ( yoo@netplug.co.kr) INDEX 1 I 2 C 통신이야기 2 ATmega128 TWI(I 2 C) 구조분석 4 ATmega128 TWI(I 2 C) 실습 : AT24C16 1 I 2 C 통신이야기 I 2 C Inter IC Bus 어떤 IC들간에도공통적으로통할수있는 ex)

More information

1217 WebTrafMon II

1217 WebTrafMon II (1/28) (2/28) (10 Mbps ) Video, Audio. (3/28) 10 ~ 15 ( : telnet, ftp ),, (4/28) UDP/TCP (5/28) centralized environment packet header information analysis network traffic data, capture presentation network

More information

1. GigE Camera Interface를 위한 최소 PC 사양 CPU : Intel Core 2 Duo, 2.4GHz이상 RAM : 2GB 이상 LANcard : Intel PRO/1000xT 이상 VGA : PCI x 16, VRAM DDR2 RAM 256MB

1. GigE Camera Interface를 위한 최소 PC 사양 CPU : Intel Core 2 Duo, 2.4GHz이상 RAM : 2GB 이상 LANcard : Intel PRO/1000xT 이상 VGA : PCI x 16, VRAM DDR2 RAM 256MB Revision 1.0 Date 11th Nov. 2013 Description Established. Page Page 1 of 9 1. GigE Camera Interface를 위한 최소 PC 사양 CPU : Intel Core 2 Duo, 2.4GHz이상 RAM : 2GB 이상 LANcard : Intel PRO/1000xT 이상 VGA : PCI x

More information

TTA Verified : HomeGateway :, : (NEtwork Testing Team)

TTA Verified : HomeGateway :, : (NEtwork Testing Team) TTA Verified : HomeGateway :, : (NEtwork Testing Team) : TTA-V-N-05-006-CC11 TTA Verified :2006 6 27 : 01 : 2005 7 18 : 2/15 00 01 2005 7 18 2006 6 27 6 7 9 Ethernet (VLAN, QoS, FTP ) (, ) : TTA-V-N-05-006-CC11

More information

歯규격(안).PDF

歯규격(안).PDF ETRI ETRI ETRI ETRI WTLS PKI Client, WIM IS-95B VMS VLR HLR/AC WPKI Cyber society BTS BSC MSC IWF TCP/IP Email Server Weather Internet WAP Gateway WTLS PKI Client, WIM BSC VMS VLR HLR/AC Wireless Network

More information

Chapter11OSPF

Chapter11OSPF OSPF 111 OSPF Link state Interior Gateway Protocol OSPF 1988 IETF OSPF workgroup OSPF RFC 2383 version 2 Chapter OSPF Version 2 OSPFIGP AS 1 1111 Convergence Traffic Distance Vector Link state OSPF (Flooding),

More information

UDP Flooding Attack 공격과 방어

UDP Flooding Attack 공격과 방어 황 교 국 (fullc0de@gmail.com) SK Infosec Co., Inc MSS Biz. Security Center Table of Contents 1. 소개...3 2. 공격 관련 Protocols Overview...3 2.1. UDP Protocol...3 2.2. ICMP Protocol...4 3. UDP Flood Test Environment...5

More information

Microsoft Word doc

Microsoft Word doc TCP/IP 구조 1. I.P 구조설명 2. ARP 구조설명 3. TCP 구조설명 4. UDT 구조설명 5. RIP 구조설명 6. BOOTP 구조설명 7. TFTP 구조설명 destination addr source addr type data CRC 6 6 2 46-1500 4 type 0X0800 IP datagram 2 46-1500 type 0X0806

More information

PCServerMgmt7

PCServerMgmt7 Web Windows NT/2000 Server DP&NM Lab 1 Contents 2 Windows NT Service Provider Management Application Web UI 3 . PC,, Client/Server Network 4 (1),,, PC Mainframe PC Backbone Server TCP/IP DCS PLC Network

More information

Voice Portal using Oracle 9i AS Wireless

Voice Portal using Oracle 9i AS Wireless Voice Portal Platform using Oracle9iAS Wireless 20020829 Oracle Technology Day 1 Contents Introduction Voice Portal Voice Web Voice XML Voice Portal Platform using Oracle9iAS Wireless Voice Portal Video

More information

이도경, 최덕재 Dokyeong Lee, Deokjai Choi 1. 서론

이도경, 최덕재 Dokyeong Lee, Deokjai Choi 1. 서론 이도경, 최덕재 Dokyeong Lee, Deokjai Choi 1. 서론 2. 관련연구 2.1 MQTT 프로토콜 Fig. 1. Topic-based Publish/Subscribe Communication Model. Table 1. Delivery and Guarantee by MQTT QoS Level 2.1 MQTT-SN 프로토콜 Fig. 2. MQTT-SN

More information

<4D F736F F F696E74202D E20B3D7C6AEBFF6C5A920C7C1B7CEB1D7B7A1B9D62E >

<4D F736F F F696E74202D E20B3D7C6AEBFF6C5A920C7C1B7CEB1D7B7A1B9D62E > 웹프로그래밍및실습 ( g & Practice) 문양세강원대학교 IT 대학컴퓨터과학전공 소켓 (Socket) (1/2) Socket 이란? 서버와클라이언트가서로특정한규약을사용하여데이터를전송하기위한방식 서버와클라이언트는소켓연결을기다렸다가소켓이연결되면서로데이터를전송 현재네트워크상에서의모든통신의근간은 Socket 이라할수있음 Page 2 1 소켓 (Socket) (2/2)

More information

Analytics > Log & Crash Search > Unity ios SDK [Deprecated] Log & Crash Unity ios SDK. TOAST SDK. Log & Crash Unity SDK Log & Crash Search. Log & Cras

Analytics > Log & Crash Search > Unity ios SDK [Deprecated] Log & Crash Unity ios SDK. TOAST SDK. Log & Crash Unity SDK Log & Crash Search. Log & Cras Analytics > Log & Crash Search > Unity ios SDK [Deprecated] Log & Crash Unity ios SDK. TOAST SDK. Log & Crash Unity SDK Log & Crash Search. Log & Crash Unity SDK... Log & Crash Search. - Unity3D v4.0 ios

More information

¹æ¼Û±â¼ú-pdf-Äõ¼öÁ¤

¹æ¼Û±â¼ú-pdf-Äõ¼öÁ¤ Broadcast Technical Research Contents 9 11 13 29 38 48 62 75 77 79 80 97 119 I 11 12 I I 13 14 I I 15 16 I I 17 18 I I 19 20 I I 21 22 I I 23 24 I I 25 26 I I 27 28 I I 29 30 I I 31 32 I I 33 34

More information

KBS-¹æ¼Û±â¼ú¿¬±¸-1Àå-º°

KBS-¹æ¼Û±â¼ú¿¬±¸-1Àå-º° Broadcast Technical Research Contents 5 7 12 27 31 33 47 56 62 73 75 79 93 I 7 8 I I 9 10 I I 11 12 I I 13 14 I I 15 16 I I 17 18 I I 19 20 I I 21 22 I I 23 24 I I 25 26 I I 27 28 I I 29 30 I I 33

More information

# Old State Mew State Trigger Actions 1 - TCP/IP NOT CONNECTED Initialization 2 TCP/IP NOT HSMS NOT TCP/IP Connect Succeeds: CONNECTED SELECTED 1. TCP/IP "accecpt" succeeds. Start T7 timeout 1. Cancel

More information

소개 TeraStation 을 구입해 주셔서 감사합니다! 이 사용 설명서는 TeraStation 구성 정보를 제공합니다. 제품은 계속 업데이트되므로, 이 설명서의 이미지 및 텍스트는 사용자가 보유 중인 TeraStation 에 표시 된 이미지 및 텍스트와 약간 다를 수

소개 TeraStation 을 구입해 주셔서 감사합니다! 이 사용 설명서는 TeraStation 구성 정보를 제공합니다. 제품은 계속 업데이트되므로, 이 설명서의 이미지 및 텍스트는 사용자가 보유 중인 TeraStation 에 표시 된 이미지 및 텍스트와 약간 다를 수 사용 설명서 TeraStation Pro II TS-HTGL/R5 패키지 내용물: 본체 (TeraStation) 이더넷 케이블 전원 케이블 TeraNavigator 설치 CD 사용 설명서 (이 설명서) 제품 보증서 www.buffalotech.com 소개 TeraStation 을 구입해 주셔서 감사합니다! 이 사용 설명서는 TeraStation 구성 정보를

More information

[ 네트워크 1] 3 주차 1 차시. IPv4 주소클래스 3 주차 1 차시 IPv4 주소클래스 학습목표 1. IP 헤더필드의구성을파악하고요약하여설명할수있다. 2. Subnet ID 및 Subnet Mask 를설명할수있고, 각클래스의사용가능한호스트수와사설 IP 주소및네트

[ 네트워크 1] 3 주차 1 차시. IPv4 주소클래스 3 주차 1 차시 IPv4 주소클래스 학습목표 1. IP 헤더필드의구성을파악하고요약하여설명할수있다. 2. Subnet ID 및 Subnet Mask 를설명할수있고, 각클래스의사용가능한호스트수와사설 IP 주소및네트 3 주차 1 차시 IPv4 주소클래스 학습목표 1. IP 헤더필드의구성을파악하고요약하여설명할수있다. 2. Subnet ID 및 Subnet Mask 를설명할수있고, 각클래스의사용가능한호스트수와사설 IP 주소및네트워크주소와 브로드캐스트주소를설명할수있다. 학습내용 1 : IP 헤더필드구성 1. Network Layer Fields 2. IP 헤더필드의구성 1)

More information

ETOS Series 사용설명서

ETOS Series 사용설명서 Programmable Gateway System ETOS - DPS (Profibus DP Slave To Serial) ETOS DPS AC&T System Co., Ltd. 2005-12-12 AC&T System Copyright 2000~2004. All rights reserved. AC&T System 1 1. 1.1. ETOS-DPS 1.1.1.

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

화판_미용성형시술 정보집.0305

화판_미용성형시술 정보집.0305 CONTENTS 05/ 07/ 09/ 12/ 12/ 13/ 15 30 36 45 55 59 61 62 64 check list 9 10 11 12 13 15 31 37 46 56 60 62 63 65 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43

More information

Interstage5 SOAP서비스 설정 가이드

Interstage5 SOAP서비스 설정 가이드 Interstage 5 Application Server ( Solaris ) SOAP Service Internet Sample Test SOAP Server Application SOAP Client Application CORBA/SOAP Server Gateway CORBA/SOAP Gateway Client INTERSTAGE SOAP Service

More information

CANTUS Evaluation Board Ap. Note

CANTUS Evaluation Board Ap. Note Preliminary CANTUS - UART - 32bits EISC Microprocessor CANTUS Ver 1. October 8, 29 Advanced Digital Chips Inc. Ver 1. PRELIMINARY CANTUS Application Note( EVM B d ) History 29-1-8 Created Preliminary Specification

More information

OPCTalk for Hitachi Ethernet 1 2. Path. DCOMwindow NT/2000 network server. Winsock update win95. . . 3 Excel CSV. Update Background Thread Client Command Queue Size Client Dynamic Scan Block Block

More information

untitled

untitled Embedded System Lab. II Embedded System Lab. II 2 RTOS Hard Real-Time vs Soft Real-Time RTOS Real-Time, Real-Time RTOS General purpose system OS H/W RTOS H/W task Hard Real-Time Real-Time System, Hard

More information

Assign an IP Address and Access the Video Stream - Installation Guide

Assign an IP Address and Access the Video Stream - Installation Guide 설치 안내서 IP 주소 할당 및 비디오 스트림에 액세스 책임 본 문서는 최대한 주의를 기울여 작성되었습니다. 잘못되거나 누락된 정보가 있는 경우 엑시스 지사로 알려 주시기 바랍니다. Axis Communications AB는 기술적 또는 인쇄상의 오류에 대해 책 임을 지지 않으며 사전 통지 없이 제품 및 설명서를 변경할 수 있습니다. Axis Communications

More information

제20회_해킹방지워크샵_(이재석)

제20회_해킹방지워크샵_(이재석) IoT DDoS DNS (jaeseog@sherpain.net) (www.sherpain.net) DDoS DNS DDoS / DDoS(Distributed DoS)? B Asia Broadband B Bots connect to a C&C to create an overlay network (botnet) C&C Provider JP Corp. Bye Bye!

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

Microsoft PowerPoint - 2.Catalyst Switch Intrastructure Protection_이충용_V1 0.ppt [호환 모드]

Microsoft PowerPoint - 2.Catalyst Switch Intrastructure Protection_이충용_V1 0.ppt [호환 모드] Catalyst Switch Infrastructure Protection Cisco Systems Korea SE 이충용 (choolee@cisco.com) Overview DoS (Denial of Service) 공격대상 - Server Resource - Network Resource - Network devices (Routers, Firewalls

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 Reasons for Poor Performance Programs 60% Design 20% System 2.5% Database 17.5% Source: ORACLE Performance Tuning 1 SMS TOOL DBA Monitoring TOOL Administration TOOL Performance Insight Backup SQL TUNING

More information

6강.hwp

6강.hwp ----------------6강 정보통신과 인터넷(1)------------- **주요 키워드 ** (1) 인터넷 서비스 (2) 도메인네임, IP 주소 (3) 인터넷 익스플로러 (4) 정보검색 (5) 인터넷 용어 (1) 인터넷 서비스******************************* [08/4][08/2] 1. 다음 중 인터넷 서비스에 대한 설명으로

More information

The Pocket Guide to TCP/IP Sockets: C Version

The Pocket Guide to  TCP/IP Sockets: C Version 인터넷프로토콜 5 장 데이터송수신 (3) 1 파일전송메시지구성예제 ( 고정크기메시지 ) 전송방식 : 고정크기 ( 바이너리전송 ) 필요한전송정보 파일이름 ( 최대 255 자 => 255byte 의메모리공간필요 ) 파일크기 (4byte 의경우최대 4GB 크기의파일처리가능 ) 파일내용 ( 가변길이, 0~4GB 크기 ) 메시지구성 FileName (255bytes)

More information

untitled

untitled 1... 2 System... 3... 3.1... 3.2... 3.3... 4... 4.1... 5... 5.1... 5.2... 5.2.1... 5.3... 5.3.1 Modbus-TCP... 5.3.2 Modbus-RTU... 5.3.3 LS485... 5.4... 5.5... 5.5.1... 5.5.2... 5.6... 5.6.1... 5.6.2...

More information

<C0CCBCBCBFB52DC1A4B4EBBFF82DBCAEBBE7B3EDB9AE2D313939392D382E687770>

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

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

vm-웨어-앞부속

vm-웨어-앞부속 VMware vsphere 4 This document was created using the official VMware icon and diagram library. Copyright 2009 VMware, Inc. All rights reserved. This product is protected by U.S. and international copyright

More information

Microsoft Word - ZIO-AP1500N-Manual.doc

Microsoft Word - ZIO-AP1500N-Manual.doc 목 차 사용자 설명서 1 장 제품 소개 ------------------------------ 1 2 장 제품 내용물 ---------------------------- 2 3 장 AP 연결 설정 방법 ------------------------ 3 4 장 동작 방식별 설정 방법 --------------------- 7 (1) 엑세스 포인트 모드 -----------------------

More information

본교재는수업용으로제작된게시물입니다. 영리목적으로사용할경우저작권법제 30 조항에의거법적처벌을받을수있습니다. [ 실습 ] 스위치장비초기화 1. NVRAM 에저장되어있는 'startup-config' 파일이있다면, 삭제를실시한다. SWx>enable SWx#erase sta

본교재는수업용으로제작된게시물입니다. 영리목적으로사용할경우저작권법제 30 조항에의거법적처벌을받을수있습니다. [ 실습 ] 스위치장비초기화 1. NVRAM 에저장되어있는 'startup-config' 파일이있다면, 삭제를실시한다. SWx>enable SWx#erase sta [ 실습 ] 스위치장비초기화 1. NVRAM 에저장되어있는 'startup-config' 파일이있다면, 삭제를실시한다. SWx>enable SWx#erase startup-config Erasing the nvram filesystem will remove all configuration files Continue? [confirm] ( 엔터 ) [OK] Erase

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

Microsoft Word - Installation and User Manual_CMD V2.2_.doc

Microsoft Word - Installation and User Manual_CMD V2.2_.doc CARDMATIC CMD INSTALLATION MANUAL 씨앤에이씨스템(C&A SYSTEM Co., Ltd.) 본사 : 서울특별시 용산구 신계동 24-1(금양빌딩 2층) TEL. (02)718-2386( 代 ) FAX. (02) 701-2966 공장/연구소 : 경기도 고양시 일산동구 백석동 1141-2 유니테크빌 324호 TEL. (031)907-1386

More information

Microsoft PowerPoint - o8.pptx

Microsoft PowerPoint - o8.pptx 메모리보호 (Memory Protection) 메모리보호를위해 page table entry에 protection bit와 valid bit 추가 Protection bits read-write / read-only / executable-only 정의 page 단위의 memory protection 제공 Valid bit (or valid-invalid bit)

More information

Intro to Servlet, EJB, JSP, WS

Intro to Servlet, EJB, JSP, WS ! Introduction to J2EE (2) - EJB, Web Services J2EE iseminar.. 1544-3355 ( ) iseminar Chat. 1 Who Are We? Business Solutions Consultant Oracle Application Server 10g Business Solutions Consultant Oracle10g

More information

Microsoft PowerPoint - L4-7Switch기본교육자료.ppt

Microsoft PowerPoint - L4-7Switch기본교육자료.ppt L4-7 Switch 기본교육자료 Pumpkin Networks. Inc. http://www.pumpkinnet.co.kr (Tel) 02-3280-9380 (Fax) 02-3280-9382 info@pumpkinnet.co.kr 기본개념 L4/L7 Switch 란? -2- 기본개념 - Switching & Routing Switching & Routing

More information

API 매뉴얼

API 매뉴얼 PCI-DIO12 API Programming (Rev 1.0) Windows, Windows2000, Windows NT and Windows XP are trademarks of Microsoft. We acknowledge that the trademarks or service names of all other organizations mentioned

More information

TEL: 042-863-8301~3 FAX: 042-863-8304 5 6 6 6 6 7 7 8 8 9 9 10 10 10 10 10 11 12 12 12 13 14 15 14 16 17 17 18 1 8 9 15 1 8 9 15 9. REMOTE 9.1 Remote Mode 1) CH Remote Flow Set 0 2) GMate2000A

More information

Mango220 Android How to compile and Transfer image to Target

Mango220 Android How to compile and Transfer image to Target Mango220 Android How to compile and Transfer image to Target http://www.mangoboard.com/ http://cafe.naver.com/embeddedcrazyboys Crazy Embedded Laboratory www.mangoboard.com cafe.naver.com/embeddedcrazyboys

More information

untitled

untitled 2006 517 ICS KS X ISO 2006 Transport Protocol Experts Group(TPEG) TPEG specifications CTT(Congestion and TravelTime Information) TPEG()., TPEG Part TPEG. TPEG TPEG TDC(Transparent Data Channel). (Digital

More information

휠세미나3 ver0.4

휠세미나3 ver0.4 andromeda@sparcs:/$ ls -al dev/sda* brw-rw---- 1 root disk 8, 0 2014-06-09 18:43 dev/sda brw-rw---- 1 root disk 8, 1 2014-06-09 18:43 dev/sda1 brw-rw---- 1 root disk 8, 2 2014-06-09 18:43 dev/sda2 andromeda@sparcs:/$

More information

본문서는 초급자들을 대상으로 최대한 쉽게 작성하였습니다. 본문서에서는 설치방법만 기술했으며 자세한 설정방법은 검색을 통하시기 바랍니다. 1. 설치개요 워드프레스는 블로그 형태의 홈페이지를 빠르게 만들수 있게 해 주는 프로그램입니다. 다양한 기능을 하는 플러그인과 디자인

본문서는 초급자들을 대상으로 최대한 쉽게 작성하였습니다. 본문서에서는 설치방법만 기술했으며 자세한 설정방법은 검색을 통하시기 바랍니다. 1. 설치개요 워드프레스는 블로그 형태의 홈페이지를 빠르게 만들수 있게 해 주는 프로그램입니다. 다양한 기능을 하는 플러그인과 디자인 스마일서브 CLOUD_Virtual 워드프레스 설치 (WORDPRESS INSTALL) 스마일서브 가상화사업본부 Update. 2012. 09. 04. 본문서는 초급자들을 대상으로 최대한 쉽게 작성하였습니다. 본문서에서는 설치방법만 기술했으며 자세한 설정방법은 검색을 통하시기 바랍니다. 1. 설치개요 워드프레스는 블로그 형태의 홈페이지를 빠르게 만들수 있게

More information

목차 1. 제품 소개... 4 1.1 특징... 4 1.2 개요... 4 1.3 Function table... 5 2. 기능 소개... 6 2.1 Copy... 6 2.2 Compare... 6 2.3 Copy & Compare... 6 2.4 Erase... 6 2

목차 1. 제품 소개... 4 1.1 특징... 4 1.2 개요... 4 1.3 Function table... 5 2. 기능 소개... 6 2.1 Copy... 6 2.2 Compare... 6 2.3 Copy & Compare... 6 2.4 Erase... 6 2 유영테크닉스( 주) 사용자 설명서 HDD014/034 IDE & SATA Hard Drive Duplicator 유 영 테 크 닉 스 ( 주) (032)670-7880 www.yooyoung-tech.com 목차 1. 제품 소개... 4 1.1 특징... 4 1.2 개요... 4 1.3 Function table... 5 2. 기능 소개... 6 2.1 Copy...

More information

놀이동산미아찾기시스템

놀이동산미아찾기시스템 TinyOS를이용한 놀이동산미아찾기시스템 윤정호 (mo0o1234@nate.com) 김영익 (youngicks7@daum.net) 김동익 (dongikkim@naver.com) 1 목차 1. 프로젝트개요 2. 전체시스템구성도 3. Tool & Language 4. 데이터흐름도 5. Graphic User Interface 6. 개선해야할사항 2 프로젝트개요

More information

歯김병철.PDF

歯김병철.PDF 3G IETF byckim@mission.cnu.ac.kr kckim@konkuk.ac.kr Mobile IP WG Seamoby WG ROHC WG 3G IETF 3G IETF Mobile IP WG 3GIP Seamoby WG ROHC WG MIP WG / NAI Mobile IP / AAA IPv4 / MIP WG RFC2002bis MIPv6 INRIA

More information

APOGEE Insight_KR_Base_3P11

APOGEE Insight_KR_Base_3P11 Technical Specification Sheet Document No. 149-332P25 September, 2010 Insight 3.11 Base Workstation 그림 1. Insight Base 메인메뉴 Insight Base Insight Insight Base, Insight Base Insight Base Insight Windows

More information

CPX-E-EC_BES_C_ _ k1

CPX-E-EC_BES_C_ _ k1 CPX-E CPX-E-EC EtherCAT 8071155 2017-07 [8075310] CPX-E-EC CPX-E-EC-KO EtherCAT, TwinCAT (). :, 2 Festo CPX-E-EC-KO 2017-07 CPX-E-EC 1... 4 1.1... 4 1.2... 4 1.3... 4 1.4... 5 1.5... 5 2... 6 2.1... 6

More information

PRO1_09E [읽기 전용]

PRO1_09E [읽기 전용] Siemens AG 1999 All rights reserved File: PRO1_09E1 Information and - ( ) 2 3 4 5 Monitor/Modify Variables" 6 7 8 9 10 11 CPU 12 Stop 13 (Forcing) 14 (1) 15 (2) 16 : 17 : Stop 18 : 19 : (Forcing) 20 :

More information

<32B1B3BDC32E687770>

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

More information

PRO1_16E [읽기 전용]

PRO1_16E [읽기 전용] MPI PG 720 Siemens AG 1999 All rights reserved File: PRO1_16E1 Information and MPI 2 MPI 3 : 4 GD 5 : 6 : 7 GD 8 GD 9 GD 10 GD 11 : 12 : 13 : 14 SFC 60 SFC 61 15 NETPRO 16 SIMATIC 17 S7 18 1 MPI MPI S7-300

More information

슬라이드 제목 없음

슬라이드 제목 없음 (JTC1/SC6) sjkoh@knu.ac.kr JTC1 JTC1/SC6/WG7 ECTP/RMCP/MMC (JTC1/SC6) 2/48 JTC1 ISO/IEC JTC1 Joint Technical Committee 1 ( ) ISO/TC 97 ( ) IEC/TC 83 ( ) Information Technology (IT) http://www.jtc1.org

More information

10X56_NWG_KOR.indd

10X56_NWG_KOR.indd 디지털 프로젝터 X56 네트워크 가이드 이 제품을 구입해 주셔서 감사합니다. 본 설명서는 네트워크 기능 만을 설명하기 위한 것입니다. 본 제품을 올바르게 사 용하려면 이 취급절명저와 본 제품의 다른 취급절명저를 참조하시기 바랍니다. 중요한 주의사항 이 제품을 사용하기 전에 먼저 이 제품에 대한 모든 설명서를 잘 읽어 보십시오. 읽은 뒤에는 나중에 필요할 때

More information

Microsoft Word - KPMC-400,401 SW 사용 설명서

Microsoft Word - KPMC-400,401 SW 사용 설명서 LKP Ethernet Card SW 사용설명서 Version Information Tornado 2.0, 2.2 알 림 여기에실린내용은제품의성능향상과신뢰도의증대를위하여예고없이변경될수도있습니다. 여기에실린내용의일부라도엘케이일레븐의사전허락없이어떠한유형의매체에복사되거나저장될수없으며전기적, 기계적, 광학적, 화학적인어떤방법으로도전송될수없습니다. 엘케이일레븐경기도성남시중원구상대원동

More information

PowerPoint 프레젠테이션

PowerPoint 프레젠테이션 V5724G 기능추가사항 Global Broadband No.1 NOS 3.13 NOS 3.15 Technology Service 1 Team 기능추가내용 고정 IP 차단및 ARP spoofing 차단기능 기능구현개요 : DHCP Snoop Table + ARP inspection Table ARP Spoofing 공격에의한 Switch 내부의 ARP table

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

. PC PC 3 [ ] [ ], [ ] [ ] [ ] 3 [ ] [ ], 4 [ ] [ ], 4 [Internet Protocol Version 4 (TCP/IPv4)] 5 [ ] 6 [ IP (O)], [ DNS (B)] 7 [ ] 한국어 -

. PC PC 3 [ ] [ ], [ ] [ ] [ ] 3 [ ] [ ], 4 [ ] [ ], 4 [Internet Protocol Version 4 (TCP/IPv4)] 5 [ ] 6 [ IP (O)], [ DNS (B)] 7 [ ] 한국어 - Quick Network Setup Guide xdsl/cable Modem PC DVR ~3.., PC, DVR. Cable IP Cable/ADSL/ VDSL or 3 4 VIDEO OUT (SPOT) AUDIO IN VGA ALARM OUT COM ALARM IN RS-485 3 4 G G + 3 CONSOLE NETWORK DC V VIDEO IN VIDEO

More information

FD¾ØÅÍÇÁ¶óÀÌÁî(Àå¹Ù²Þ)-ÀÛ¾÷Áß

FD¾ØÅÍÇÁ¶óÀÌÁî(Àå¹Ù²Þ)-ÀÛ¾÷Áß Copyright (c) 1999-2002 FINAL DATA INC. All right reserved Table of Contents 6 Enterprise for Windows 7 8 Enterprise for Windows 10 Enterprise for Windows 11 12 Enterprise for Windows 13 14 Enterprise

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

TTA Journal No.157_서체변경.indd

TTA Journal No.157_서체변경.indd 표준 시험인증 기술 동향 FIDO(Fast IDentity Online) 생체 인증 기술 표준화 동향 이동기 TTA 모바일응용서비스 프로젝트그룹(PG910) 의장 SK텔레콤 NIC 담당 매니저 76 l 2015 01/02 PASSWORDLESS EXPERIENCE (UAF standards) ONLINE AUTH REQUEST LOCAL DEVICE AUTH

More information

thesis

thesis CORBA TMN Surveillance System DPNM Lab, GSIT, POSTECH Email: mnd@postech.ac.kr Contents Motivation & Goal Related Work CORBA TMN Surveillance System Implementation Conclusion & Future Work 2 Motivation

More information

1아이리포 기술사회 모의고사 참조답안

1아이리포 기술사회 모의고사 참조답안 아이리포지식창고 Data Link 계층프로토콜 STP 김우태컴퓨터시스템응용기술사 (matica5127@naver.com) STP(Spanning Tree Protocol) Concept + STP 을이해하기위한세가지개념 + STP 개요 - STP 정의 - Bridged LAN 에서의 Spanning Tree Algorithm - Bridge 구성에서의 Looping

More information

SQL Developer Connect to TimesTen 유니원아이앤씨 DB 기술지원팀 2010 년 07 월 28 일 문서정보 프로젝트명 SQL Developer Connect to TimesTen 서브시스템명 버전 1.0 문서명 작성일 작성자

SQL Developer Connect to TimesTen 유니원아이앤씨 DB 기술지원팀 2010 년 07 월 28 일 문서정보 프로젝트명 SQL Developer Connect to TimesTen 서브시스템명 버전 1.0 문서명 작성일 작성자 SQL Developer Connect to TimesTen 유니원아이앤씨 DB 팀 2010 년 07 월 28 일 문서정보 프로젝트명 SQL Developer Connect to TimesTen 서브시스템명 버전 1.0 문서명 작성일 2010-07-28 작성자 김학준 최종수정일 2010-07-28 문서번호 20100728_01_khj 재개정이력 일자내용수정인버전

More information

DBPIA-NURIMEDIA

DBPIA-NURIMEDIA 논문 10-35-08-15 한국통신학회논문지 '10-08 Vol.35 No. 8 건설생산성 향상을 위한 건설현장 내 RFID 네트워크 시스템 적용 방안 준회원 김 신 구*, 정회원 이 충 희*, 이 성 형*, 종신회원 김 재 현* Method of RFID Network System Application for Improving of Construction

More information

Smart IO_K_160427

Smart IO_K_160427 Programmable Logic Controller Smart I/O Series Programmable Logic Controller Smart I/O Series 2 LSIS Co., Ltd. Contents Features 1 Compact Easy ProfibusDP System 2 DeviceNet System 3 Various Rnet System

More information

Apache2 + Tomcat 5 + JK2 를 사용한 로드밸런싱과 세션 복제 클러스터링 사이트 구축

Apache2 + Tomcat 5 + JK2 를 사용한 로드밸런싱과 세션 복제 클러스터링 사이트 구축 Apache2 + Tomcat 5 + JK2 : 2004-11-04 Release Ver. 1.0.0.1 Email : ykkim@cabsoftware.com Apache JK2 ( )., JK2 Apache2 JK2. 3 - JK2, Tomcat -.. 3, Stress ( ),., localhost ip., 2. 2,. Windows XP., Window

More information