Client usesServerAPI Interface , you need to construct the HTTP request header. Generally, you initialize an NSMutableURLRequest, and then set the request method , request body, and request header, as follows:
NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:url] cachePolicy:NSURLRequestUseProtocolCachePolicy timeoutInterval:30.0]; [request setHTTPMethod:@"POST"]; [request setHTTPBody:bodyData]; [request setValue:@"gzip, deflate" forHTTPHeaderField:@"Accept-Encoding"]; [request setValue:@"application/x-www-form-urlencoded; charset=utf-8" forHTTPHeaderField:@"Content-Type"]; [request setValue:[NSString stringWithFormat:@"%lu", (unsigned long)bodyData.length] forHTTPHeaderField:@"Content-Length"]; [request setValue:authorization forHTTPHeaderField:@"Authorization"];
YuanTiku's network request (YTKNetwork) has encapsulated the request method, request body, and request header to allow users to overload, including:
#pragma mark - Subclass Override ///============================================================================= /// @name Subclass Override ///============================================================================= /// Called on background thread after request succeded but before switching to main thread. Note if /// cache is loaded, this method WILL be called on the main thread, just like `requestCompleteFilter`. - (void)requestCompletePreprocessor; /// Called on the main thread after request succeeded. - (void)requestCompleteFilter; /// Called on background thread after request succeded but before switching to main thread. See also /// `requestCompletePreprocessor`. - (void)requestFailedPreprocessor; /// Called on the main thread when request failed. - (void)requestFailedFilter; /// The baseURL of request. This should only contain the host part of URL, e.g., http://www.example.com. /// See also `requestUrl` - (NSString *)baseUrl; /// The URL path of request. This should only contain the path part of URL, e.g., /v1/user. See alse `baseUrl`. /// /// @discussion This will be concated with `baseUrl` using [NSURL URLWithString:relativeToURL]. /// Because of this, it is recommended that the usage should stick to rules stated above. /// Otherwise the result URL may not be correctly formed. See also `URLString:relativeToURL` /// for more information. /// /// Additionaly, if `requestUrl` itself is a valid URL, it will be used as the result URL and /// `baseUrl` will be ignored. - (NSString *)requestUrl; /// Optional CDN URL for request. - (NSString *)cdnUrl; /// Requset timeout interval. Default is 60s. /// /// @discussion When using `resumableDownloadPath`(NSURLSessionDownloadTask), the session seems to completely ignore /// `timeoutInterval` property of `NSURLRequest`. One effective way to set timeout would be using /// `timeoutIntervalForResource` of `NSURLSessionConfiguration`. - (NSTimeInterval)requestTimeoutInterval; /// Additional request argument. - (nullable id)requestArgument; /// Override this method to filter requests with certain arguments when caching. - (id)cacheFileNameFilterForRequestArgument:(id)argument; /// HTTP request method. - (YTKRequestMethod)requestMethod; /// Request serializer type. - (YTKRequestSerializerType)requestSerializerType; /// Response serializer type. See also `responseObject`. - (YTKResponseSerializerType)responseSerializerType; /// Username and password used for HTTP authorization. Should be formed as @[@"Username", @"Password"]. - (nullable NSArray<nsstring> *)requestAuthorizationHeaderFieldArray; /// Additional HTTP request header field. - (nullable NSDictionary<nsstring> *)requestHeaderFieldValueDictionary; /// Use this to build custom request. If this method return non-nil value, `requestUrl`, `requestTimeoutInterval`, /// `requestArgument`, `allowsCellularAccess`, `requestMethod` and `requestSerializerType` will all be ignored. - (nullable NSURLRequest *)buildCustomUrlRequest; /// Should use CDN when sending request. - (BOOL)useCDN; /// Whether the request is allowed to use the cellular radio (if present). Default is YES. - (BOOL)allowsCellularAccess; /// The validator will be used to test if `responseJSONObject` is correctly formed. - (nullable id)jsonValidator; /// This validator will be used to test if `responseStatusCode` is valid. - (BOOL)statusCodeValidator;</nsstring></nsstring>
. The request header is returned by overriding the method - (NSDictionary *)requestHeaderFieldValueDictionary;
and then in the method - (AFHTTPRequestSerializer *)requestSerializerForRequest:(YTKBaseRequest *)request;
Network request serialization, used to construct NSURLSessionTask
- (NSDictionary *)requestHeaderFieldValueDictionary { NSString *paraUrlString = AFQueryStringFromParameters([self requestArgument]); NSString *authorization =[[YTKNetworkConfig sharedConfig] getAuthorization:[self requestUrl]]; return @{@"Accept-Encoding":@"gzip, deflate", @"Content-Type":@"application/x-www-form-urlencoded; charset=utf-8", @"Content-Length":[NSString stringWithFormat:@"%lu", (unsigned long)paraUrlString.length], @"Authorization":authorization}; }
Let’s talk about the meaning of several fields in the request header:
Accept-Encoding
Indicates that the local can receive data in compressed format, and the server will compress the large file and send it back to the client. After the client completes the reception, it will decompress the data locally.
- # #gzip: For file compression in UNIX systems, gzip encoding on the HTTP protocol is a technology used to improve the performance of WEB applications. High-traffic WEB sites often use gzip to make users experience faster speeds. A function of
- The difference between HTTP content encoding and HTTP compression: In the HTTP protocol, the content (that is, the body part) can be encoded, and encoding such as gzip can be used to achieve compression. Other encodings can also be used to scramble or encrypt the content to prevent unauthorized third parties. See the content of the document. So when we say HTTP compression, it is actually a type of HTTP content encoding.
- HTTP compression process:
1. The client sends an HTTP request to the Web server. The request contains Accept-Encoding: gzip, deflate. (Tell the server that the browser supports gzip compression).
2. After receiving the request, the server generates the original Response, which contains the original Content-Type and Content-Length. 3. The server encodes the Response through gzip. After encoding, the header contains Content-Type and Content-Length (compressed size), and Content-Encoding: gzip is added. Then the Response is sent to the client. . - 4. After receiving the Response, the client decodes the Response according to Content-Encoding:gzip. After obtaining the original response, the display of the data is then processed.
: compress indicates that the entity uses the Unix file compression program; identity indicates that the entity is not encoded. This is the case by default when there is no Content-Encoding header. Gzip, compress, and deflate encoding are all lossless compression algorithms, used to reduce the size of transmitted messages without causing information loss. Among them, gzip is usually the most efficient and the most widely used.
Others
application/x-www-form-urlencoded: The data is encoded as name/value pairs, which is the standard encoding format; multipart/form-data: The form data is encoded as a message, Each control on the page corresponds to a section in the message. text/plain: Form data is encoded as plain text without any controls or formatting characters.
1. When action is get, the browser uses the x-www-form-urlencoded encoding method to convert the form data into a string (name1=value1&name2=value2...), and then converts this word Append the string to the end of the url, split it with ?, and load this new url.
2. When the action is post, the browser encapsulates the form data into the http body and then sends it to the server. If there is no type=file control, just use the default application/x-www-form-urlencoded. But if there is type=file, multipart/form-data will be used. The browser will divide the entire form into control units, and add Content-Disposition(form-data or file), Content-Type (default is text/plain), name( Control name) and other information, and add a separator (boundary).
Content-Length
represents the transmission length of the HTTP message entity. Message entity length: Entity-length, the length of the message-body before compression;
Transmission length of the message entity: Content-length, the length of the message-body after compression. (Dictionary of parameters spliced together)
Authorization
- ##HTTP basic authentication is a method used to allow web browsers, or other client programs Login by providing credentials in the form of username and password when requested.
Authorization mechanismDetermined according to the rules set by the server.
- The difference between authentication and authorization: If you want to board the plane, you need to show your ID card and ticket. The ID card is to prove that Zhang San is really you. Zhang San, this is authentication; and the ticket is to prove that you Zhang San actually bought the ticket and can board the plane, this is authorization. You need to log in to the forum, enter the user name Zhang San, password 1234, and the password is correct, which proves that you Zhang San is indeed Zhang San, this is authentication; then check that user Zhang San is a moderator, so he has the authority to add and delete other people's posts. This It’s authorization.
- From an HTML perspective:
1. GET is harmless when the browser rolls back. And POST will submit the request again.
2. The URL address generated by GET can be Bookmarked, but POST cannot.
3. GET requests will be actively cached by the browser, but POST will not unless manually set.
4. GET requests can only be URL encoded, while POST supports multiple encoding methods.
5. GET
Request parameters will be completely retained in the browser history, while the parameters in POST will not be retained. 6. The parameters transmitted in the URL of the GET request have length limits, but there are no length limits for POST.
7. Regarding the parameter’s
data type, GET only accepts ASCII characters, while POST has no restrictions. 8. GET is less
safe than POST because the parameters are directly exposed on the URL, so it cannot be used to pass sensitive information. 9. GET parameters are passed through the URL, and POST is placed in the Request body. - From the perspective of HTTP:
1. HTTP is a protocol based on
TCP/IP on how data communicates in the World Wide Web. The bottom layer of HTTP is TCP/IP. So the bottom layer of GET and POST is also TCP/IP, that is to say, GET/POST are both TCP links. GET and POST can do the same thing. You need to add request body to GET and url parameters to POST. Technically, it is completely feasible. HTTP is just a code of conduct, while TCP is the basis for how GET and POST are implemented. 2. There is no requirement for HTTP. If the Method is POST data, it must be placed in the BODY. There is no requirement. If the Method is GET, the data (parameters) must be placed in the URL and not in the BODY. That is, GET and POST have nothing to do with how the data is delivered. The HTTP protocol has no length limit for both GET and POST. Security and insecurity have nothing to do with GET and POST. 3. GET generates one TCP data packet; POST generates two TCP data packets. For GET requests, the browser will send the http header and data together, and the server will respond with 200 (returning data); for POST, the browser will send the header first, and the server will respond with 100 continue
, and the browser will Send data again, and the server responds with 200 ok (returning data).
HTTP status codeCollection
1, 1** Information, the server receives the request and needs the requester to continue performing the operation
2, 2* * Success, the operation was successfully received and processed
3, 3** Redirect, further operations are required to complete the request
4, 4** Client error, the request contains a syntax error or Unable to complete the request
5, 5** Server error, an error occurred while the server was processing the request
The above is the detailed content of HTTP request header. For more information, please follow other related articles on the PHP Chinese website!

Laravel simplifies handling temporary session data using its intuitive flash methods. This is perfect for displaying brief messages, alerts, or notifications within your application. Data persists only for the subsequent request by default: $request-

This is the second and final part of the series on building a React application with a Laravel back-end. In the first part of the series, we created a RESTful API using Laravel for a basic product-listing application. In this tutorial, we will be dev

The PHP Client URL (cURL) extension is a powerful tool for developers, enabling seamless interaction with remote servers and REST APIs. By leveraging libcurl, a well-respected multi-protocol file transfer library, PHP cURL facilitates efficient execution of various network protocols, including HTTP, HTTPS, and FTP. This extension offers granular control over HTTP requests, supports multiple concurrent operations, and provides built-in security features.

Laravel provides concise HTTP response simulation syntax, simplifying HTTP interaction testing. This approach significantly reduces code redundancy while making your test simulation more intuitive. The basic implementation provides a variety of response type shortcuts: use Illuminate\Support\Facades\Http; Http::fake([ 'google.com' => 'Hello World', 'github.com' => ['foo' => 'bar'], 'forge.laravel.com' =>

Do you want to provide real-time, instant solutions to your customers' most pressing problems? Live chat lets you have real-time conversations with customers and resolve their problems instantly. It allows you to provide faster service to your custom

In this article, we're going to explore the notification system in the Laravel web framework. The notification system in Laravel allows you to send notifications to users over different channels. Today, we'll discuss how you can send notifications ov

Article discusses late static binding (LSB) in PHP, introduced in PHP 5.3, allowing runtime resolution of static method calls for more flexible inheritance.Main issue: LSB vs. traditional polymorphism; LSB's practical applications and potential perfo

PHP logging is essential for monitoring and debugging web applications, as well as capturing critical events, errors, and runtime behavior. It provides valuable insights into system performance, helps identify issues, and supports faster troubleshoot


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

MantisBT
Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

mPDF
mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

Safe Exam Browser
Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.
