Search icon CANCEL
Subscription
0
Cart icon
Your Cart (0 item)
Close icon
You have no products in your basket yet
Save more on your purchases! discount-offer-chevron-icon
Savings automatically calculated. No voucher code required.
Arrow left icon
Explore Products
Best Sellers
New Releases
Books
Videos
Audiobooks
Learning Hub
Newsletter Hub
Free Learning
Arrow right icon
timer SALE ENDS IN
0 Days
:
00 Hours
:
00 Minutes
:
00 Seconds
Hands-On Network Programming with C
Hands-On Network Programming with C

Hands-On Network Programming with C: Learn socket programming in C and write secure and optimized network code

eBook
$30.39 $37.99
Paperback
$37.59 $46.99
Subscription
Free Trial
Renews at $12.99p/m

What do you get with eBook?

Product feature icon Instant access to your Digital eBook purchase
Product feature icon Download this book in EPUB and PDF formats
Product feature icon Access this title in our online reader with advanced features
Product feature icon DRM FREE - Read whenever, wherever and however you want
Product feature icon AI Assistant (beta) to help accelerate your learning
OR
Modal Close icon
Payment Processing...
tick Completed

Billing Address

Table of content icon View table of contents Preview book icon Preview Book

Hands-On Network Programming with C

Getting to Grips with Socket APIs

In this chapter, we will begin to really start working with network programming. We will introduce the concept of sockets, and explain a bit of the history behind them. We will cover the important differences between the socket APIs provided by Windows and Unix-like operating systems, and we will review the common functions that are used in socket programming. This chapter ends with a concrete example of turning a simple console program into a networked program you can access through your web browser.

The following topics are covered in this chapter:

  • What are sockets?
  • Which header files are used with socket programming?
  • How to compile a socket program on Windows, Linux, and macOS
  • Connection-oriented and connectionless sockets
  • TCP and UDP protocols
  • Common socket functions
  • Building a simple console program into a web server
...

Technical requirements

The example programs in this chapter can be compiled with any modern C compiler. We recommend MinGW on Windows and GCC on Linux and macOS. See Appendix B, Setting Up Your C Compiler On Windows, Appendix C, Setting Up Your C Compiler On Linux, and Appendix D, Setting Up Your C Compiler On macOS, for compiler setup.

The code for this book can be found here: https://github.com/codeplea/Hands-On-Network-Programming-with-C.

From the command line, you can download the code for this chapter with the following command:

git clone https://github.com/codeplea/Hands-On-Network-Programming-with-C
cd Hands-On-Network-Programming-with-C/chap02

Each example program in this chapter is standalone, and each example runs on Windows, Linux, and macOS. When compiling for Windows, keep in mind that most of the example programs require linking with the Winsock library.

This is accomplished...

What are sockets?

A socket is one endpoint of a communication link between systems. Your application sends and receives all of its network data through a socket.

There are a few different socket application programming interfaces (APIs). The first were Berkeley sockets, which were released in 1983 with 4.3BSD Unix. The Berkeley socket API was widely successful and quickly evolved into a de facto standard. From there, it was adopted as a POSIX standard with little modification. The terms Berkeley sockets, BSD sockets, Unix sockets, and Portable Operating System Interface (POSIX) sockets are often used interchangeably.

If you're using Linux or macOS, then your operating system provides a proper implementation of Berkeley sockets.

Windows' socket API is called Winsock. It was created to be largely compatible with Berkeley sockets. In this book, we strive to create cross...

Socket setup

Before we can use the socket API, we need to include the socket API header files. These files vary depending on whether we are using Berkeley sockets or Winsock. Additionally, Winsock requires initialization before use. It also requires that a cleanup function is called when we are finished. These initialization and cleanup steps are not used with Berkeley sockets.

We will use the C preprocessor to run the proper code on Windows compared to Berkeley socket systems. By using the preprocessor statement, #if defined(_WIN32), we can include code in our program that will only be compiled on Windows.

Here is a complete program that includes the needed socket API headers for each platform and properly initializes Winsock on Windows:

/*sock_init.c*/

#if defined(_WIN32)
#ifndef _WIN32_WINNT
#define _WIN32_WINNT 0x0600
#endif
#include <winsock2.h>
#include <ws2tcpip.h&gt...

Two types of sockets

Sockets come in two basic types—connection-oriented and connectionless. These terms refer to types of protocols. Beginners sometimes get confused with the term connectionless. Of course, two systems communicating over a network are in some sense connected. Keep in mind that these terms are used with special meanings, which we will cover shortly, and should not imply that some protocols manage to send data without a connection.

The two protocols that are used today are Transmission Control Protocol (TCP) and User Datagram Protocol (UDP). TCP is a connection-oriented protocol, and UDP is a connectionless protocol.

The socket APIs also support other less-common or outdated protocols, which we do not cover in this book.

In a connectionless protocol, such as UDP, each data packet is addressed individually. From the protocol's perspective, each...

Socket functions

The socket APIs provide many functions for use in network programming. Here are the common socket functions that we use in this book:

  • socket() creates and initializes a new socket.
  • bind() associates a socket with a particular local IP address and port number.
  • listen() is used on the server to cause a TCP socket to listen for new connections.
  • connect() is used on the client to set the remote address and port. In the case of TCP, it also establishes a connection.
  • accept() is used on the server to create a new socket for an incoming TCP connection.
  • send() and recv() are used to send and receive data with a socket.
  • sendto() and recvfrom() are used to send and receive data from sockets without a bound remote address.
  • close() (Berkeley sockets) and closesocket() (Winsock sockets) are used to close a socket. In the case of TCP, this also terminates the connection.
  • shutdown...

Anatomy of a socket program

As we mentioned in Chapter 1An Introduction to Networks and Protocols, network programming is usually done using a client-server paradigm. In this paradigm, a server listens for new connections at a published address. The client, knowing the server's address, is the one to establish the connection initially. Once the connection is established, the client and the server can both send and receive data. This can continue until either the client or the server terminates the connection.

A traditional client-server model usually implies different behaviors for the client and server. The way web browsing works, for example, is that the server resides at a known address, waiting for connections. A client (web browser) establishes a connection and sends a request that includes which web page or resource it wants to download. The server then checks...

Berkeley sockets versus Winsock sockets

As we stated earlier, Winsock sockets were modeled on Berkeley sockets. Therefore, there are many similarities between them. However, there are also many differences we need to be aware of.

In this book, we will try to create each program so that it can run on both Windows and Unix-based operating systems. This is made much easier by defining a few C macros to help us with this.

Header files

As we mentioned earlier, the needed header files differ between implementations. We've already seen how these header file discrepancies can be easily overcome with a preprocessor statement.

Socket data type

...

Our first program

Now that we have a basic idea of socket APIs and the structure of networked programs, we are ready to begin our first program. By building an actual real-world program, we will learn the useful details of how socket programming actually works.

As an example task, we are going to build a web server that tells you what time it is right now. This could be a useful resource for anybody with a smartphone or web browser that needs to know what time it is right now. They can simply navigate to our web page and find out. This is a good first example because it does something useful but still trivial enough that it won't distract from what we are trying to learn—network programming.

A motivating example

Before...

Summary

In this chapter, we learned about the basics of using sockets for network programming. Although there are many differences between Berkeley sockets (used on Unix-like operating systems) and Winsock sockets (used on Windows), we mitigated those differences with preprocessor statements. In this way, it was possible to write one program that compiles cleanly on Windows, Linux, and macOS.

We covered how the UDP protocol is connectionless and what that means. We learned that TCP, being a connection-oriented protocol, gives some reliability guarantees, such as automatically detecting and resending lost packets. We also saw that UDP is often used for simple protocols (for example, DNS) and for real-time streaming applications. TCP is used for most other protocols.

After that, we worked through a real example by converting a console application into a web server. We learned how...

Questions

Try these questions to test your knowledge on this chapter:

  1. What is a socket?
  2. What is a connectionless protocol? What is a connection-oriented protocol?
  3. Is UDP a connectionless or connection-oriented protocol?
  4. Is TCP a connectionless or connection-oriented protocol?
  5. What types of applications generally benefit from using the UDP protocol?
  6. What types of applications generally benefit from using the TCP protocol?
  7. Does TCP guarantee that data will be transmitted successfully?
  8. What are some of the main differences between Berkeley sockets and Winsock sockets?
  9. What does the bind() function do?
  10. What does the accept() function do?
  11. In a TCP connection, does the client or the server send application data first?

Answers are in Appendix A, Answers to Questions.

Left arrow icon Right arrow icon
Download code icon Download Code

Key benefits

  • Apply your C and C++ programming skills to build powerful network applications
  • Get to grips with a variety of network protocols that allow you to load web pages, send emails, and do much more
  • Write portable network code for Windows, Linux, and macOS

Description

Network programming enables processes to communicate with each other over a computer network, but it is a complex task that requires programming with multiple libraries and protocols. With its support for third-party libraries and structured documentation, C is an ideal language to write network programs. Complete with step-by-step explanations of essential concepts and practical examples, this C network programming book begins with the fundamentals of Internet Protocol, TCP, and UDP. You’ll explore client-server and peer-to-peer models for information sharing and connectivity with remote computers. The book will also cover HTTP and HTTPS for communicating between your browser and website, and delve into hostname resolution with DNS, which is crucial to the functioning of the modern web. As you advance, you’ll gain insights into asynchronous socket programming and streams, and explore debugging and error handling. Finally, you’ll study network monitoring and implement security best practices. By the end of this book, you’ll have experience of working with client-server applications and be able to implement new network programs in C. The code in this book is compatible with the older C99 version as well as the latest C18 and C++17 standards. You’ll work with robust, reliable, and secure code that is portable across operating systems, including Winsock sockets for Windows and POSIX sockets for Linux and macOS.

Who is this book for?

If you're a developer or a system administrator who wants to get started with network programming, this book is for you. Basic knowledge of C programming is assumed.

What you will learn

  • Uncover cross-platform socket programming APIs
  • Implement techniques for supporting IPv4 and IPv6
  • Understand how TCP and UDP connections work over IP
  • Discover how hostname resolution and DNS work
  • Interface with web APIs using HTTP and HTTPS
  • Explore Simple Mail Transfer Protocol (SMTP) for electronic mail transmission
  • Apply network programming to the Internet of Things (IoT)

Product Details

Country selected
Publication date, Length, Edition, Language, ISBN-13
Publication date : May 13, 2019
Length: 478 pages
Edition : 1st
Language : English
ISBN-13 : 9781789344080
Languages :
Concepts :

What do you get with eBook?

Product feature icon Instant access to your Digital eBook purchase
Product feature icon Download this book in EPUB and PDF formats
Product feature icon Access this title in our online reader with advanced features
Product feature icon DRM FREE - Read whenever, wherever and however you want
Product feature icon AI Assistant (beta) to help accelerate your learning
OR
Modal Close icon
Payment Processing...
tick Completed

Billing Address

Product Details

Publication date : May 13, 2019
Length: 478 pages
Edition : 1st
Language : English
ISBN-13 : 9781789344080
Languages :
Concepts :

Packt Subscriptions

See our plans and pricing
Modal Close icon
$12.99 billed monthly
Feature tick icon Unlimited access to Packt's library of 6,500+ practical books and videos
Feature tick icon Constantly refreshed with 50+ new titles a month
Feature tick icon Exclusive Early access to books as they're written
Feature tick icon Solve problems while you work with advanced search and reference features
Feature tick icon Offline reading on the mobile app
Feature tick icon Simple pricing, no contract
$129.99 billed annually
Feature tick icon Unlimited access to Packt's library of 6,500+ practical books and videos
Feature tick icon Constantly refreshed with 50+ new titles a month
Feature tick icon Exclusive Early access to books as they're written
Feature tick icon Solve problems while you work with advanced search and reference features
Feature tick icon Offline reading on the mobile app
Feature tick icon Choose a DRM-free eBook or Video every month to keep
Feature tick icon PLUS own as many other DRM-free eBooks or Videos as you like for just $5 each
Feature tick icon Exclusive print discounts
$179.99 billed in 18 months
Feature tick icon Unlimited access to Packt's library of 6,500+ practical books and videos
Feature tick icon Constantly refreshed with 50+ new titles a month
Feature tick icon Exclusive Early access to books as they're written
Feature tick icon Solve problems while you work with advanced search and reference features
Feature tick icon Offline reading on the mobile app
Feature tick icon Choose a DRM-free eBook or Video every month to keep
Feature tick icon PLUS own as many other DRM-free eBooks or Videos as you like for just $5 each
Feature tick icon Exclusive print discounts

Frequently bought together


Stars icon
Total $ 125.57 156.97 31.40 saved
Hands-On Network Programming with C
$37.59 $46.99
Extreme C
$43.99 $54.99
Hands-On System Programming with Linux
$43.99 $54.99
Total $ 125.57 156.97 31.40 saved Stars icon
Visually different images

Table of Contents

14 Chapters
Introducing Networks and Protocols Chevron down icon Chevron up icon
Getting to Grips with Socket APIs Chevron down icon Chevron up icon
An In-Depth Overview of TCP Connections Chevron down icon Chevron up icon
Establishing UDP Connections Chevron down icon Chevron up icon
Hostname Resolution and DNS Chevron down icon Chevron up icon
Building a Simple Web Client Chevron down icon Chevron up icon
Building a Simple Web Server Chevron down icon Chevron up icon
Making Your Program Send Email Chevron down icon Chevron up icon
Loading Secure Web Pages with HTTPS and OpenSSL Chevron down icon Chevron up icon
Implementing a Secure Web Server Chevron down icon Chevron up icon
Establishing SSH Connections with libssh Chevron down icon Chevron up icon
Network Monitoring and Security Chevron down icon Chevron up icon
Socket Programming Tips and Pitfalls Chevron down icon Chevron up icon
Web Programming for the Internet of Things Chevron down icon Chevron up icon

Customer reviews

Top Reviews
Rating distribution
Full star icon Full star icon Full star icon Full star icon Half star icon 4.5
(30 Ratings)
5 star 76.7%
4 star 6.7%
3 star 10%
2 star 0%
1 star 6.7%
Filter icon Filter
Top Reviews

Filter reviews by




Minerva Feb 16, 2020
Full star icon Full star icon Full star icon Full star icon Full star icon 5
I just finished this book, and I learned a ton.Concepts are introduced in a logical order, and each chapter has complete working examples to illustrate exactly how everything goes together.All of the code works on multiple operating systems too, even though Windows and Linux have different APIs. This is all explained throughout the book.Near the end of the book, in chapter 13, several networking edge-cases and gotchas are discussed.So, solutions to a bunch of problems before you even know you have them! I'm sure these edge-cases will save me a lot of frustration in the future.This book is written by someone who has a complete grasp of C.The difference - and why you should buy this book - is the writer is also gifted with the ability to explain C Programming clearly and methodically.Many tech writers use a publishing platform as a way to showcase their knowledge which leads to information overload and reader confusion. Mr.VanWinkle writes without ego; a style other tech writers would do well to emulate. I look forward to reading more from this author.I highly recommend this for anyone interested in network programming with C orC++.
Amazon Verified review Amazon
Stan Edwards Nov 21, 2019
Full star icon Full star icon Full star icon Full star icon Full star icon 5
I was tasked with adding some simple network functionality to a legacy program. It only needed to hit a simple online API and read a one-word response. Seems easy, right? I know there are a lot of free libraries to do this, so I tried several of them first. I either couldn't get them to work properly, or they messed up our (admittedly over-complicated) build system.Anyway, I had my work buy three books on the topic, figuring I'd implement the needed functionality from scratch. This is the only book I ended up using, and I basically just copied the example program. The examples are licensed MIT, so we're allowed to use them. I got it working perfectly within a few hours. It's all pure C/C++ code, so it works fine with our weird build system. It compiles on all of our platforms, plays nice with IPv6, ad doesn't cause any problems.I don't imagine there are too many people needing C/C++ networking code in 2019, but if you're such a person, this is perhaps the only good modern book on the topic.
Amazon Verified review Amazon
Gavin Henry Nov 23, 2021
Full star icon Full star icon Full star icon Full star icon Full star icon 5
Real world working code examples and a responsive author to questions. I used chapter 4 in this book to build SentryPeer. Search in github :)
Amazon Verified review Amazon
Basantj Jun 12, 2019
Full star icon Full star icon Full star icon Full star icon Full star icon 5
While I am still in the process of reading the book, from what I have read it is very well written and detailed. The author is clearly knowledgeable and works hard to rectify misinformation on the web about C networking code.This book definitely is for someone with some proficiency in the C language. If you are able to follow along, it goes into incredible depth and provides an incredible understanding at a low level. Personally, I only have experience with C++/Java and I still found it relatively understandable—so it isn't too much of a barrier anyways.Hopefully I hope to have more positive things to say about this book when I get through more of it!
Amazon Verified review Amazon
Clay Feb 03, 2021
Full star icon Full star icon Full star icon Full star icon Full star icon 5
I've split this review into three parts: good, bad, and neutral.First the good:I would recommend this book for the beginner or intermediate programmer that wants to write network programs in C or C++. I might recommend this book to the intermediate programmer of another language that wants to learn how networking works "under the hood," but in this case probably only the fist few chapters will be of much interest.Most chapters follow the same basic format. The first half of the chapter is used to introduce and explain a concept. Then the second half of the chapter works through a full example program to demonstrate how things work in practice. The examples are very good. The author has a knack for keeping the examples short but functional.I personally ran every example program from the book. They all compiled and run perfectly!I also want to note that this book does a good job of having each example program run on multiple platforms. When I was working through this book, I ended up looking at a lot of open-source networking programs on the Internet. I never found a single bit of networking code outside of this book that would run on both Windows and Unix. All of the cross-platform examples I found in the wild would use a complex build system to essentially compile different source files for each platform. The code in this book uses a couple macros to ensure that each source file compiles on each platform, and it doesn't require any fancy build system. Although there are trade-offs, I really like the approach taken by this book!The first half of the book takes a foundational approach. The first chapter shows how to get your computer's local IP address. Then a few chapters are spent showing the absolute basics of TCP and UDP communication. Early on, the book is careful to explain how to handle multiple connections at once without blocking.The chapters that talk about DNS, HTTP, and email show and explain examples that work from the ground up without any external dependencies. I was surprised to see that the DNS chapter actually builds a complete DNS client from scratch. DNS is a binary protocol, so this is kind of impressive. HTTP and email (SMTP) are much easier protocols, being text, but the examples are still nice.One chapter builds a working web server from scratch. This web server accepts multiple clients and can serve text and binary files. Most of the code is concerned with processing the HTTP text requests and serving multiple clients without blocking. Like the rest of the book, it uses the cross-platform "just compile and it works" style. There is a chapter near the end that addresses error-handling and some common problems. It uses several small example programs to illustrate what can go wrong and how to avoid it. I spent a lot of time playing with these, and let me tell you, socket programming is tricky to get right. I appreciate the book hammering in some weird things that can go wrong that I wouldn't have otherwise thought about.Also, all of the example code for this book is available on GitHub, and importantly, it actually works. I've seen too many books with broken code. This book's GitHub uses Travis-CI and AppVeyor to automatically compile everything on multiple platforms, multiple compilers, and as C and C++. You can see all the build logs on the GitHub. Check it out. It's impressive. The author clearly put a lot of work into making sure no bugs got through.The bad:I wish the book addressed some platform-specific issues. For socket multiplexing, only the "select" function is really explained and used. The book briefly mentions a few alternatives, but sticks to "select" because it is available on Windows and Unix. It would have been nice to see more about the better-preforming platform-specific options.None of the example code has any comments. I guess you could consider the book itself the comments, but it would have been nice to see some comments in the code. At least that would have a made it much easier to work with the code outside of the book. Not a big deal though.A couple of the examples, particularly the text parsing, seem a little too complicated. In the HTTP client code, for example, I found an "if" statement nested about 5 levels deep. I'm guessing the book did it this way to keep the linear narrative in the book, and also to keep the code short, but I would definitely refactor it into a few different functions. Again, comments would have helped a lot!Also, there is one "goto" in the book. It's used to bail out of a doubly-nested loop, so it's a reasonable enough use, but I think the inner loop should have been refactored into its own function.The chapters with encryption use external libraries. The HTTPS client and server programs are simply the HTTP programs from earlier in the book, but now all the communication goes through the OpenSSL library. I don't like the OpenSSL library. It is hard to set up and compile and it seems it has a new security flaw exposed every year. I feel like the author could have just covered the basics and moved on. I didn't need to see the entire programs from the earlier chapters reimplemented.The chapter on SSH only shows how to use the libssh library. It didn't seem to teach anything fundamental, and I don't have a use for SSH, so I only skimmed it.The last chapter on Internet of Things is disappointing, and it doesn't fit in with the rest of the book. The chapter sort of just talks about big picture ideas about how IoT devices work. For example, it'll tell you that a Bluetooth watch can't talk directly to your router via Wi-Fi, so you should connect your Bluetooth watch to a smartphone, and then use a smartphone app to upload data to the Internet. It would have been nice to have more a bit more substance.The neutral:The way the author explains error handling for this book is that error handling is usually application-specific. So the best that can be done in a short example program is to print the error code and abort. All the examples I looked at seemed to do reasonable error handling, but when they encounter an error they just print a code and abort. If you do network programming, you will encounter errors. Some of the other reviews on here seem to blame the book for this, but that's not reasonable. If your network stack is broken, or your internet is down, or you're trying to reuse a port number, or whatever, you'll get an error code. It's up to the user to figure out the fix. There's nothing the code could really do in those cases (i.e. the code can't plug your Ethernet cable back in for you).Summary:I think the book is well-written. It moves at a good pace, and it covers interesting topics. I ran all of the example programs, just to play around with them, and they all worked great. If building a working web server from scratch appeals to you, this is the book to get!
Amazon Verified review Amazon
Get free access to Packt library with over 7500+ books and video courses for 7 days!
Start Free Trial

FAQs

How do I buy and download an eBook? Chevron down icon Chevron up icon

Where there is an eBook version of a title available, you can buy it from the book details for that title. Add either the standalone eBook or the eBook and print book bundle to your shopping cart. Your eBook will show in your cart as a product on its own. After completing checkout and payment in the normal way, you will receive your receipt on the screen containing a link to a personalised PDF download file. This link will remain active for 30 days. You can download backup copies of the file by logging in to your account at any time.

If you already have Adobe reader installed, then clicking on the link will download and open the PDF file directly. If you don't, then save the PDF file on your machine and download the Reader to view it.

Please Note: Packt eBooks are non-returnable and non-refundable.

Packt eBook and Licensing When you buy an eBook from Packt Publishing, completing your purchase means you accept the terms of our licence agreement. Please read the full text of the agreement. In it we have tried to balance the need for the ebook to be usable for you the reader with our needs to protect the rights of us as Publishers and of our authors. In summary, the agreement says:

  • You may make copies of your eBook for your own use onto any machine
  • You may not pass copies of the eBook on to anyone else
How can I make a purchase on your website? Chevron down icon Chevron up icon

If you want to purchase a video course, eBook or Bundle (Print+eBook) please follow below steps:

  1. Register on our website using your email address and the password.
  2. Search for the title by name or ISBN using the search option.
  3. Select the title you want to purchase.
  4. Choose the format you wish to purchase the title in; if you order the Print Book, you get a free eBook copy of the same title. 
  5. Proceed with the checkout process (payment to be made using Credit Card, Debit Cart, or PayPal)
Where can I access support around an eBook? Chevron down icon Chevron up icon
  • If you experience a problem with using or installing Adobe Reader, the contact Adobe directly.
  • To view the errata for the book, see www.packtpub.com/support and view the pages for the title you have.
  • To view your account details or to download a new copy of the book go to www.packtpub.com/account
  • To contact us directly if a problem is not resolved, use www.packtpub.com/contact-us
What eBook formats do Packt support? Chevron down icon Chevron up icon

Our eBooks are currently available in a variety of formats such as PDF and ePubs. In the future, this may well change with trends and development in technology, but please note that our PDFs are not Adobe eBook Reader format, which has greater restrictions on security.

You will need to use Adobe Reader v9 or later in order to read Packt's PDF eBooks.

What are the benefits of eBooks? Chevron down icon Chevron up icon
  • You can get the information you need immediately
  • You can easily take them with you on a laptop
  • You can download them an unlimited number of times
  • You can print them out
  • They are copy-paste enabled
  • They are searchable
  • There is no password protection
  • They are lower price than print
  • They save resources and space
What is an eBook? Chevron down icon Chevron up icon

Packt eBooks are a complete electronic version of the print edition, available in PDF and ePub formats. Every piece of content down to the page numbering is the same. Because we save the costs of printing and shipping the book to you, we are able to offer eBooks at a lower cost than print editions.

When you have purchased an eBook, simply login to your account and click on the link in Your Download Area. We recommend you saving the file to your hard drive before opening it.

For optimal viewing of our eBooks, we recommend you download and install the free Adobe Reader version 9.

Modal Close icon
Modal Close icon