国产人妻人伦精品_欧美一区二区三区图_亚洲欧洲久久_日韩美女av在线免费观看

合肥生活安徽新聞合肥交通合肥房產生活服務合肥教育合肥招聘合肥旅游文化藝術合肥美食合肥地圖合肥社保合肥醫院企業服務合肥法律

COEN 146代寫、代做TCP/IP Socket Programm

時間:2024-04-24  來源:合肥網hfw.cc  作者:hfw.cc 我要糾錯



COEN 146: Computer Networks
Lab 3: TCP/IP Socket Programming

Objectives
1.To develop client/ server applications using TCP/IP Sockets
2.To write a C program to transfer file over TCP/IP Socket

TCP/IP Client/ Server[ http://beej.us/guide/bgnet/] 
The following figure shows the steps taken by each program:
On the client and server sides:

The socket() system call creates an unbound socket in a communications domain, and return a file descriptor that can be used in later function calls that operate on sockets.

int sockfd = socket(domain, type, protocol)
●sockfd: socket descriptor, an integer (like a file-handle)
●domain: integer, communication domain e.g., AF_INET (IPv4 protocol) , AF_INET6 (IPv6 protocol), AF_UNIX (local channel, similar to pipes)
●type: communication type
SOCK_STREAM: TCP (reliable, connection oriented)
SOCK_DGRAM: UDP (unreliable, connectionless)
SOCK_RAW (direct IP service)
●protocol: This is useful in cases where some families may have more than one protocol to support a given type of service. Protocol value for Internet Protocol (IP), which is 0. This is the same number which appears on protocol field in the IP header of a packet.

#include <sys/socket.h>
...
...if ((server_fd = socket(AF_INET, SOCK_STREAM, 0)) < 0) 
{
    perror(“cannot create socket”); 
    return 0; 
}

On the server side:

After creation of the socket, bind() system call binds the socket to the address and port number specified in addr(custom data structure). In the example code, we bind the server to the localhost, hence we use INADDR_ANY to specify the IP address.

int bind (int sockfd, const struct sockaddr *addr, socklen_t addrlen);
●addr: Points to a sockaddr structure containing the address to be bound to the socket. The length and format of the address depend on the address family of the socket.
●addrlen: Specifies the length of the sockaddr structure pointed to by the addr argument. 

The listen() function puts the server socket in a passive mode, where it waits for the client to approach the server to make a connection. 

int listen(int sockfd, int backlog);
●backlog: defines the maximum length to which the queue of pending connections for sockfd may grow. If a connection request arrives when the queue is full, the client may receive an error with an indication of ECONNREFUSED.

The accept() system call extracts the first connection request on the queue of pending connections for the listening socket (sockfd), creates a new connected socket, and returns a new file descriptor referring to that socket. At this point, connection is established between client and server, and they are ready to transfer data.

int new_socket= accept(int sockfd, struct sockaddr *addr, socklen_t *addrlen);

On the client side:

The connect() system call connects the socket referred to by the file descriptor sockfd to the address specified by addr. Server’s address and port is specified in addr.

int connect(int sockfd, const struct sockaddr *addr, socklen_t addrlen);

Read and write over socket:

     bzero(buffer, 256);
     n = read(newsockfd, buffer, 255);
     if (n < 0) error("ERROR reading from socket");
     printf("Here is the message: %s\n", buffer);

This code initializes the buffer using the bzero() function, and then reads from the socket. 
Note that the read call uses the new file descriptor, the one returned by accept(), not the original file descriptor returned by socket(). 

Note also that the read() will block until there is something for it to read in the socket, i.e. after the client has executed a write(). It will read either the total number of characters in the socket or 255, whichever is less, and return the number of characters read


    n = write(newsockfd, "I got your message", 18);
         if (n < 0) error("ERROR writing to socket");

Once a connection has been established, both ends can both read and write to the connection. Naturally, everything written by the client will be read by the server, and everything written by the server will be read by the client. This code simply writes a short message to the client. The last argument of write is the size of the message.


Structures:

Address format
An IP socket address is defined as a combination of an IP interface address and a 16-bit port number. The basic IP protocol does not supply port numbers, they are implemented by higher level protocols like UDP and TCP. On raw sockets sin_port is set to the IP protocol.

struct sockaddr_in {
    sa_family_t    sin_family; /* address family: AF_INET */
    in_port_t      sin_port;   /* port in network byte order */
    struct in_addr sin_addr;   /* internet address */
};

/* Internet address. */
struct in_addr {
    uint**_t       s_addr;     /* address in network byte order */
};

This is defined in netinet/in.h

sin_family is always set to AF_INET. 

sin_port contains the port in network byte order. The port numbers below 1024 are called privileged ports (or sometimes: reserved ports). Only privileged processes) may bind to these sockets.

sin_addr is the IP host address. 

s_addr member of struct in_addr contains the host interface address in network byte order. 
in_addr should be assigned one of the INADDR_* values (e.g., INADDR_ANY) or set using the inet_aton, inet_addr, inet_makeaddr library functions or directly with the name resolver (see gethostbyname).

INADDR_ANY allows your program to work without knowing the IP address of the machine it was running on, or, in the case of a machine with multiple network interfaces, it allowed your server to receive packets destined to any of the interfaces. 

INADDR_ANY has the following semantics: When receiving, a socket bound to this address receives packets from all interfaces. For example, suppose that a host has interfaces 0, 1 and 2. If a UDP socket on this host is bound using INADDR_ANY and udp port 8000, then the socket will receive all packets for port 8000 that arrive on interfaces 0, 1, or 2. If a second socket attempts to Bind to port 8000 on interface 1, the Bind will fail since the first socket already “owns” that port/interface.
Example:
serv_addr.sin_addr.s_addr = htonl (INADDR_ANY);
●Note: "Network byte order" always means big endian. "Host byte order" depends on architecture of host. Depending on CPU, host byte order may be little endian, big endian or something else. 
●The htonl() function translates a long integer from host byte order to network byte order.

To bind socket with localhost, before you invoke the bind function, sin_addr.s_addr field of the sockaddr_in structure should be set properly. The proper value can be obtained either by 

my_sockaddress.sin_addr.s_addr = inet_addr("127.0.0.1")
or by 
my_sockaddress.sin_addr.s_addr=htonl(INADDR_LOOPBACK);
To convert an address in its standard text format into its numeric binary form use the inet_pton() function. The argument af specifies the family of the address. 

#define _OPEN_SYS_SOCK_IPV6
#include <arpa/inet.h>

int inet_pton(int af, const char *src, void *dst);

Recap - File transfer:
●Binary file: jpg, png, bmp, tiff etc.
●Text file: txt, html, xml, css, json etc.

You may use functions or system calls for file transfer. C Function connects the C code to file using I/O stream, while system call connects C code to file using file descriptor.
●File descriptor is integer that uniquely identifies an open file of the process.
●I/O stream sequence of bytes of data.

A Stream provides high level interface, while File descriptor provide a low-level interface. Streams are represented as FILE * object, while File descriptors are represented as objects of type int.

C Functions to open and close a binary/text file
fopen(): C Functions to open a binary/text file, defined as:
FILE *fopen(const char *file_name, const char *mode_of_operation);
where:
●file_name: file to open
●mode_of_operation: refers to the mode of the file access, For example:- r: read , w: write , a: append etc
●fopen() return a pointer to FILE if success, else NULL is returned
●fclose(): C Functions to close a binary/text file.

fclose(): C Functions to close a binary/text file, defined as:
fclose( FILE *file_name);
Where:
●file_name: file to close
●fclose () function returns zero on success, or EOF if there is an error

C Functions to read and write a binary file
fread(): C function to read binary file, defined as:
fread(void * ptr, size_t size, size_t count, FILE * stream);
where:
●ptr- it specifies the pointer to the block of memory with a size of at least (size*count) bytes to store the objects.
●size - it specifies the size of each objects in bytes.
●count: it specifies the number of elements, each one with a size of size bytes.
●stream - This is the pointer to a FILE object that specifies an input stream.
●Returns the number of items read


fwrite (): C function to write binary file, defined as:
fwrite (void *ptr, size_t size, size_t count, FILE *stream);
where:
●Returns number of items written
●*arguments of fwrite are similar to fread. Only difference is of read and write.

For example:
To open "lab3.dat" file in read mode then function would be:
FILE* demo; // demo is a pointer of type FILE
char buffer[100]; // block of memory (ptr)
demo= fopen("lab3.dat", "r"); // open lab3.dat in read mode
fread(&buffer, sizeof(buffer), 1, demo); // read 1 element of size = size of buffer (100)
fclose(demo); // close the file

C Functions to read and write the text file.
fscanf (): C function to read text file.
fscanf(FILE *ptr, const char *format, ...)
Where:
●Reads formatted input from the stream.
●Ptr: File from which data is read.
●format: format of data read.
●returns the number of input items successfully matched and assigned, zero if failure

fprintf(): C function to write a text file.
fprintf(FILE *ptr, const char *format, ...);
Where:
●*arguments similar to fscanf ()

For example:
FILE *demo; // demo is a pointer of type FILE
demo= FILE *fopen("lab3.dat", "r"); // open lab3.dat in read mode
/* Assuming that lab3.dat has content in below format
City
Population
….
*/
char buf[100]; // block of memory
fscanf(demo, "%s", buf); // to read a text file
fclose(demo); // close the file
*to read whole file use while loop


System Call to open, close, read and write a text/binary file.
open(): System call to open a binary/text file, defined as:
open (const char* Path, int flags [, int mode ]);
Where:
●returns file descriptor used on success and -1 upon failure
●Path :- path to file
●flags :- O_RDONLY: read only, O_WRONLY: write only, O_RDWR: read and write, O_CREAT: create file if it doesn’t exist, O_EXCL: prevent creation if it already exists


close(): System call to close a binary/text file, defined as:
close(int fd);
where:
●return 0 on success and -1 on error.
●fd : file descriptor which uniquely identifies an open file of the process

read(): System call to read a binary/text file.
read (int fd, void* buf, size_t len);
where:
●returns 0 on reaching end of file, -1 on error or on signal interrupt
●fd: file descriptor
●buf: buffer to read data from
●len: length of buffer

write(): System call to write a binary/text file.
write (int fd, void* buf, size_t len);
where:
●*arguments and return of write are similar to read(). 

For example:
int fd = open("lab3.dat", O_RDONLY | O_CREAT); //if file not in directory, file is 
created
Close(fd);


Implementation steps:
Step 1.[30%] Write a C program for a TCP server that accepts a client connection for file transfer. 
Step 2.[25%] Write a C program for a TCP client that connects to the server. In this case
a.The client connects to the server and request a file to download from the server. 
b.The server accepts the connection and transfers the file to the client

Step 3.Compile and run. Note: you may use the IP address 127.0.0.1 (loop back IP address) for a local host, i.e. both of your client and server run on the same machine. 

[20%] Demonstrate your program to the TA:
a.Your client and server on your same machine
b.Your client and your classmate’s server IP address. You may to discuss with the TA if you run into access problems  

Multiple Clients – Concurrent Server 
In general, a TCP server is designed as a concurrent server to server multiple clients. This means when a client sends a request for a file transfer, the sever accepts the connection request and spawns a thread to handle this transfer on the connection descriptor. The server will then continue in a loop listening for another client connection request to handle another file transfer.

Step 4.[20%] Write a C program for a concurrent TCP server that accepts and responds to multiple client connection requests, each requesting a file transfer. Modify your TCP server in Step 1 so that when the server accepts a connection from a client it spawns a separate thread to handle this specific client connection for file transfer. 

Note: You will have several threads (at the same time) running on the server transferring copies of src.dat files to clients that each will save at their destination as – dst.dat file (possibly needs to be numbered differently on the same host).

[5%] Demonstrate to the TA, multiple clients making file transfer request to the server and that the server makes multiple transfers at the same time. Make N = 5. Upload your source code to Camino. 

Note: To be able to see 5 threads handling connections at the same time, you may need to introduce a delay of a few second in the process of data transfer to make it visible. This is due to the fact completing thread file transfer takes a fraction of a millisecond if not a microsecond. 

Requirements to complete the lab
1.Demo to the TA correct execution of your programs [recall: a successful demo is 25% of the grade]
2.Submit the source code of your program as .c files on Camino

Please start each program with a descriptive block that includes minimally the following information:

請加QQ:99515681  郵箱:99515681@qq.com   WX:codinghelp















 

掃一掃在手機打開當前頁
  • 上一篇:SEHH2042代做、c/c++程序設計代寫
  • 下一篇:菲律賓落地簽回國(落地簽離境注意事項)
  • 無相關信息
    合肥生活資訊

    合肥圖文信息
    流體仿真外包多少錢_專業CFD分析代做_友商科技CAE仿真
    流體仿真外包多少錢_專業CFD分析代做_友商科
    CAE仿真分析代做公司 CFD流體仿真服務 管路流場仿真外包
    CAE仿真分析代做公司 CFD流體仿真服務 管路
    流體CFD仿真分析_代做咨詢服務_Fluent 仿真技術服務
    流體CFD仿真分析_代做咨詢服務_Fluent 仿真
    結構仿真分析服務_CAE代做咨詢外包_剛強度疲勞振動
    結構仿真分析服務_CAE代做咨詢外包_剛強度疲
    流體cfd仿真分析服務 7類仿真分析代做服務40個行業
    流體cfd仿真分析服務 7類仿真分析代做服務4
    超全面的拼多多電商運營技巧,多多開團助手,多多出評軟件徽y1698861
    超全面的拼多多電商運營技巧,多多開團助手
    CAE有限元仿真分析團隊,2026仿真代做咨詢服務平臺
    CAE有限元仿真分析團隊,2026仿真代做咨詢服
    釘釘簽到打卡位置修改神器,2026怎么修改定位在范圍內
    釘釘簽到打卡位置修改神器,2026怎么修改定
  • 短信驗證碼 寵物飼養 十大衛浴品牌排行 suno 豆包網頁版入口 wps 目錄網 排行網

    關于我們 | 打賞支持 | 廣告服務 | 聯系我們 | 網站地圖 | 免責聲明 | 幫助中心 | 友情鏈接 |

    Copyright © 2025 hfw.cc Inc. All Rights Reserved. 合肥網 版權所有
    ICP備06013414號-3 公安備 42010502001045

    国产人妻人伦精品_欧美一区二区三区图_亚洲欧洲久久_日韩美女av在线免费观看
    国产精品秘入口18禁麻豆免会员| 欧美精品生活片| 在线一区高清| 久久精品国产第一区二区三区最新章节 | 日本亚洲欧洲色α| 久久精品视频中文字幕| 国产高清精品一区| 91美女片黄在线观| 国产精品最新在线观看| 日韩欧美xxxx| 亚洲 自拍 另类小说综合图区| 欧美xxxx14xxxxx性爽| 久久精品免费播放| 久久久久久欧美| 久久九九视频| 久久免费视频这里只有精品| 成人一区二区在线| 狠狠爱一区二区三区| 青青草久久网络| 日本久久中文字幕| 色一情一乱一伦一区二区三区丨| 亚洲精品国产suv一区88| 亚洲最新免费视频| 中文字幕一区二区三区四区五区六区 | 精品卡一卡二| 精品福利影视| 欧美激情视频一区| 欧美人成在线视频| 欧美精品制服第一页| www.久久色.com| 久久成人福利视频| 国产成人jvid在线播放| 久久国产精品高清| 日韩中文字幕网站| 国产精品久久久久999| 久久五月天色综合| 国产精品免费入口| 久久伊人精品天天| 欧美激情精品久久久久久大尺度| 欧美日韩第一页| 亚洲精品免费av| 日韩欧美视频免费在线观看| 日韩精品大片| 欧美 日韩 激情| 国产欧美精品日韩| 成人精品在线观看| 成人美女免费网站视频| 久久婷婷人人澡人人喊人人爽| 91精品国产99久久久久久| 久久精品在线免费视频| 国产成人三级视频| 精品国产一区二区三区久久久狼| 国产精品久久久久久av下载红粉| 国产99在线|中文| 亚洲日本精品国产第一区| 欧美一区二区三区精品电影| 日本精品一区| 欧美在线不卡区| 国产精品一色哟哟| 久久久久日韩精品久久久男男| 久久久精品在线| 欧美激情在线有限公司| 日本精品免费| 国产专区一区二区| 久久九九国产视频| 久久夜色撩人精品| 亚洲美女网站18| 黄色片视频在线免费观看| 成人免费毛片播放| 久久九九热免费视频| 亚洲综合中文字幕在线观看| 欧美精品一区二区性色a+v| 国产精品自拍首页| 久久精品视频在线| 日韩在线一级片| 国产在线观看精品| 久久国产精品一区二区三区四区| 国产精品第157页| 亚洲啊啊啊啊啊| 国产一区欧美二区三区| 久久久久久久久久网| 久久这里有精品| 日韩高清国产一区在线观看| 超碰97在线播放| 久久夜色精品国产| 日韩欧美第二区在线观看| 粉嫩精品一区二区三区在线观看 | 国产精品香蕉av| 97免费视频观看| 国产精品久久久久久久电影| 日本一区二区三区免费看| 成人国产精品久久久久久亚洲| 国产精品视频久久久| 亚洲欧美日韩不卡一区二区三区| 黄色影视在线观看| 久久久久五月天| 亚洲爆乳无码专区| 国产一区二区在线视频播放| 国产精品视频一区二区高潮| 日韩在线一级片| 成人国产一区二区| 日韩天堂在线视频| 亚州av一区二区| 国模吧一区二区| 国产成人生活片| 日韩美女在线观看一区| 国产成人精品视| 日韩av成人在线观看| 国产欧美亚洲日本| 国产精品成人在线| 精品欧美一区免费观看α√| 精品国产一区二区三区久久狼5月| 日韩视频在线免费看| 久久国产精品免费一区| 日韩av在线第一页| 国产成人亚洲精品| 亚洲熟妇av日韩熟妇在线| 99久久自偷自偷国产精品不卡| 中文字幕日韩精品无码内射| 国产精品一区视频| 一区二区三区国产福利| 99久久免费观看| 亚洲v日韩v欧美v综合| 成人免费视频a| 在线视频91| 91精品国产成人www| 色综合久久88色综合天天提莫| 国产精品10p综合二区| 日韩中文字幕三区| 久久久久久久免费视频| 欧美一区二视频在线免费观看| 久久精品福利视频| 国产一区二区精品在线| 欧美激情一区二区三区久久久| 成人av.网址在线网站| 亚洲激情免费视频| 久久久久久美女| 欧美国产亚洲一区| www高清在线视频日韩欧美| 春日野结衣av| 久久久久综合一区二区三区| 欧美日韩一道本| 欧美激情亚洲综合一区| 69**夜色精品国产69乱| 欧洲日韩成人av| 精品国产成人av在线免| 国产精品91在线| 欧美一区在线直播| 美女黄色丝袜一区| 国产成人一二三区| 国产在线精品一区二区三区| 欧美激情亚洲综合一区| 操人视频欧美| 欧洲中文字幕国产精品| 久久久久久亚洲精品不卡4k岛国| 青青草成人在线| 国产99久久精品一区二区 夜夜躁日日躁| 99久久免费观看| 青青草精品毛片| 欧美激情乱人伦| 日韩天堂在线视频| 阿v天堂2017| 欧美亚洲视频一区二区| 一区二区日本伦理| 久久久精品日本| 国产精品亚洲激情| 欧美成人第一区| 日韩视频精品| 亚欧洲精品在线视频免费观看| 国产成人精品自拍| 久久精品视频16| 久久人人爽人人爽人人片av高请| 国产精品亚洲a| 国产色一区二区三区| 激情小视频网站| 欧美少妇一级片| 日韩精品无码一区二区三区免费| 日韩一区国产在线观看| 亚欧洲精品在线视频免费观看| 欧美精品久久久久a| 欧美久久精品午夜青青大伊人| 久久精品国产久精国产思思| 久久久久久久国产| 久久久久人妻精品一区三寸| 99久久无色码| 97久久精品人人澡人人爽缅北| 高清不卡一区二区三区| 成人黄动漫网站免费| 成人黄色一区二区| 99色精品视频| 国产高清精品软男同| 久久免费精品日本久久中文字幕| 91av免费观看91av精品在线| 久久久无码中文字幕久...| 91久久久久久国产精品| 91久久久久久久一区二区| 91国自产精品中文字幕亚洲| 91精品视频播放| 国产福利精品视频| 久久黄色免费看|