답변:
Swift 3 이상에서 다음을 수행 할 수 있습니다.
let url = URL(string: "http://www.thisismylink.com/postName.php")!
var request = URLRequest(url: url)
request.setValue("application/x-www-form-urlencoded", forHTTPHeaderField: "Content-Type")
request.httpMethod = "POST"
let parameters: [String: Any] = [
"id": 13,
"name": "Jack & Jill"
]
request.httpBody = parameters.percentEncoded()
let task = URLSession.shared.dataTask(with: request) { data, response, error in
guard let data = data,
let response = response as? HTTPURLResponse,
error == nil else { // check for fundamental networking error
print("error", error ?? "Unknown error")
return
}
guard (200 ... 299) ~= response.statusCode else { // check for http errors
print("statusCode should be 2xx, but is \(response.statusCode)")
print("response = \(response)")
return
}
let responseString = String(data: data, encoding: .utf8)
print("responseString = \(responseString)")
}
task.resume()
어디:
extension Dictionary {
func percentEncoded() -> Data? {
return map { key, value in
let escapedKey = "\(key)".addingPercentEncoding(withAllowedCharacters: .urlQueryValueAllowed) ?? ""
let escapedValue = "\(value)".addingPercentEncoding(withAllowedCharacters: .urlQueryValueAllowed) ?? ""
return escapedKey + "=" + escapedValue
}
.joined(separator: "&")
.data(using: .utf8)
}
}
extension CharacterSet {
static let urlQueryValueAllowed: CharacterSet = {
let generalDelimitersToEncode = ":#[]@" // does not include "?" or "/" due to RFC 3986 - Section 3.4
let subDelimitersToEncode = "!$&'()*+,;="
var allowed = CharacterSet.urlQueryAllowed
allowed.remove(charactersIn: "\(generalDelimitersToEncode)\(subDelimitersToEncode)")
return allowed
}()
}
기본 네트워킹 오류와 높은 수준의 HTTP 오류를 모두 확인합니다. 또한이 비율은 쿼리의 매개 변수를 올바르게 이스케이프합니다.
참고, I는 사용 name
중을 Jack & Jill
적절한 예시하는 x-www-form-urlencoded
결과 name=Jack%20%26%20Jill
(즉, 공간으로 치환 "퍼센트 인코딩"이고, %20
상기 &
가치가 대체된다 %26
).
Swift 2 변환에 대한 이 답변의 이전 개정판을 참조하십시오 .
POST
요청을 원한다면 위의 내용을 사용할 수 있습니다.
$_POST
파일 이름과 연결을 그리는 대신 이것을 간단한 것으로 줄 이겠습니다 . URL이 정확하지 않으면 PHP 스크립트가 전혀 실행되지 않습니다. 그러나 항상 파일 이름을 포함시켜야하는 것은 아닙니다 (예 : 서버가 URL 라우팅을 수행 중이거나 기본 파일 이름을 가질 수 있음). 이 경우 OP는 파일 이름이 포함 된 URL을 제공 했으므로 단순히 그가했던 것과 동일한 URL을 사용했습니다.
URLSession
이 점 보다 나쁘지 않습니다 . 모든 네트워킹 API는 본질적으로 비동기 적이어야합니다. 이제 비동기식 요청을 처리하는 다른 우아한 방법을 찾고 있다면 URLSession
비동기식 사용자 정의 Operation
서브 클래스로 요청 ( 알람 또는 Alamofire)을 래핑하는 것을 고려할 수 있습니다 . 또는 PromiseKit과 같은 일부 약속 라이브러리를 사용할 수 있습니다.
스위프트 4 이상
@IBAction func submitAction(sender: UIButton) {
//declare parameter as a dictionary which contains string as key and value combination. considering inputs are valid
let parameters = ["id": 13, "name": "jack"]
//create the url with URL
let url = URL(string: "www.thisismylink.com/postName.php")! //change the url
//create the session object
let session = URLSession.shared
//now create the URLRequest object using the url object
var request = URLRequest(url: url)
request.httpMethod = "POST" //set http method as POST
do {
request.httpBody = try JSONSerialization.data(withJSONObject: parameters, options: .prettyPrinted) // pass dictionary to nsdata object and set it as request body
} catch let error {
print(error.localizedDescription)
}
request.addValue("application/json", forHTTPHeaderField: "Content-Type")
request.addValue("application/json", forHTTPHeaderField: "Accept")
//create dataTask using the session object to send data to the server
let task = session.dataTask(with: request as URLRequest, completionHandler: { data, response, error in
guard error == nil else {
return
}
guard let data = data else {
return
}
do {
//create json object from data
if let json = try JSONSerialization.jsonObject(with: data, options: .mutableContainers) as? [String: Any] {
print(json)
// handle json...
}
} catch let error {
print(error.localizedDescription)
}
})
task.resume()
}
Swift 5에서 POST 요청을 깔끔하게 인코딩하는 방법을 찾는 사람이라면 누구나 가능합니다.
퍼센트 인코딩을 수동으로 추가 할 필요가 없습니다. URLComponents
GET 요청 URL을 작성하는 데 사용하십시오 . 그런 다음 query
해당 URL의 속성을 사용 하여 이스케이프 된 쿼리 문자열을 올바르게 가져옵니다.
let url = URL(string: "https://example.com")!
var components = URLComponents(url: url, resolvingAgainstBaseURL: false)!
components.queryItems = [
URLQueryItem(name: "key1", value: "NeedToEscape=And&"),
URLQueryItem(name: "key2", value: "vålüé")
]
let query = components.url!.query
는 query
제대로 이스케이프 문자열입니다 :
key1 = 필요한 이스케이프 % 3DAnd % 26 & key2 = v % C3 % A5l % C3 % BC % C3 % A9
이제 요청을 작성하고 조회를 HTTPBody로 사용할 수 있습니다.
var request = URLRequest(url: url)
request.httpMethod = "POST"
request.httpBody = Data(query.utf8)
이제 요청을 보낼 수 있습니다.
로깅 라이브러리에서 사용한 방법은 다음과 같습니다. https://github.com/goktugyil/QorumLogs
이 메소드는 Google 설문지 내의 html 양식을 채 웁니다.
var url = NSURL(string: urlstring)
var request = NSMutableURLRequest(URL: url!)
request.HTTPMethod = "POST"
request.setValue("application/x-www-form-urlencoded; charset=utf-8", forHTTPHeaderField: "Content-Type")
request.HTTPBody = postData.dataUsingEncoding(NSUTF8StringEncoding)
var connection = NSURLConnection(request: request, delegate: nil, startImmediately: true)
application/x-www-form-urlencoded
을 설정하고 있습니까?
let session = URLSession.shared
let url = "http://...."
let request = NSMutableURLRequest(url: NSURL(string: url)! as URL)
request.httpMethod = "POST"
request.addValue("application/json", forHTTPHeaderField: "Content-Type")
var params :[String: Any]?
params = ["Some_ID" : "111", "REQUEST" : "SOME_API_NAME"]
do{
request.httpBody = try JSONSerialization.data(withJSONObject: params, options: JSONSerialization.WritingOptions())
let task = session.dataTask(with: request as URLRequest as URLRequest, completionHandler: {(data, response, error) in
if let response = response {
let nsHTTPResponse = response as! HTTPURLResponse
let statusCode = nsHTTPResponse.statusCode
print ("status code = \(statusCode)")
}
if let error = error {
print ("\(error)")
}
if let data = data {
do{
let jsonResponse = try JSONSerialization.jsonObject(with: data, options: JSONSerialization.ReadingOptions())
print ("data = \(jsonResponse)")
}catch _ {
print ("OOps not good JSON formatted response")
}
}
})
task.resume()
}catch _ {
print ("Oops something happened buddy")
}
@IBAction func btn_LogIn(sender: AnyObject) {
let request = NSMutableURLRequest(URL: NSURL(string: "http://demo.hackerkernel.com/ios_api/login.php")!)
request.HTTPMethod = "POST"
let postString = "email: test@test.com & password: testtest"
request.HTTPBody = postString.dataUsingEncoding(NSUTF8StringEncoding)
let task = NSURLSession.sharedSession().dataTaskWithRequest(request){data, response, error in
guard error == nil && data != nil else{
print("error")
return
}
if let httpStatus = response as? NSHTTPURLResponse where httpStatus.statusCode != 200{
print("statusCode should be 200, but is \(httpStatus.statusCode)")
print("response = \(response)")
}
let responseString = String(data: data!, encoding: NSUTF8StringEncoding)
print("responseString = \(responseString)")
}
task.resume()
}
여기에있는 모든 답변은 JSON 객체를 사용합니다. 이로 인해 $this->input->post()
Codeigniter 컨트롤러 의 방법에 문제가 발생했습니다
. 는 CI_Controller
JSON을 직접 읽을 수 없습니다. 우리는이 방법을 사용하여 JSON없이 그것을했습니다.
fun postRequest(){
//Create url object
guard let url = URL(string: yourURL) else {return}
//Create the session object
let session = URLSession.shared
//Create the URLRequest object using the url object
var request = URLRequest(url: url)
//Set the request method. Important Do not set any other headers, like Content-Type
request.httpMethod = "POST" //set http method as POST
//Set parameters here. Replace with your own.
let postData = "param1_id=param1_value¶m2_id=param2_value".data(using: .utf8)
request.httpBody = postData
}
//Create a task using the session object, to run and return completion handler
let webTask = session.dataTask(with: request, completionHandler: {data, response, error in
guard error == nil else {
print(error?.localizedDescription ?? "Response Error")
return
}
guard let serverData = data else {
print("server data error")
return
}
do {
if let requestJson = try JSONSerialization.jsonObject(with: serverData, options: .mutableContainers) as? [String: Any]{
print("Response: \(requestJson)")
}
} catch let responseError {
print("Serialisation in error in creating response body: \(responseError.localizedDescription)")
let message = String(bytes: serverData, encoding: .ascii)
print(message as Any)
}
})
//Run the task
webTask.resume()
이제 CI_Controller는 param1
and를 param2
사용 $this->input->post('param1')
하고 사용할 수 있습니다.$this->input->post('param2')