Check API
POST
Check_BatchDeleteChecks
{{baseUrl}}/batch_delete
BODY json
{
"checkIds": []
}
Examples
REQUEST
CURL *hnd = curl_easy_init();
curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "POST");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/batch_delete");
struct curl_slist *headers = NULL;
headers = curl_slist_append(headers, "content-type: application/json");
curl_easy_setopt(hnd, CURLOPT_HTTPHEADER, headers);
curl_easy_setopt(hnd, CURLOPT_POSTFIELDS, "{\n \"checkIds\": []\n}");
CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])
(client/post "{{baseUrl}}/batch_delete" {:content-type :json
:form-params {:checkIds []}})
require "http/client"
url = "{{baseUrl}}/batch_delete"
headers = HTTP::Headers{
"content-type" => "application/json"
}
reqBody = "{\n \"checkIds\": []\n}"
response = HTTP::Client.post url, headers: headers, body: reqBody
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
Method = HttpMethod.Post,
RequestUri = new Uri("{{baseUrl}}/batch_delete"),
Content = new StringContent("{\n \"checkIds\": []\n}")
{
Headers =
{
ContentType = new MediaTypeHeaderValue("application/json")
}
}
};
using (var response = await client.SendAsync(request))
{
response.EnsureSuccessStatusCode();
var body = await response.Content.ReadAsStringAsync();
Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/batch_delete");
var request = new RestRequest("", Method.Post);
request.AddHeader("content-type", "application/json");
request.AddParameter("application/json", "{\n \"checkIds\": []\n}", ParameterType.RequestBody);
var response = client.Execute(request);
package main
import (
"fmt"
"strings"
"net/http"
"io"
)
func main() {
url := "{{baseUrl}}/batch_delete"
payload := strings.NewReader("{\n \"checkIds\": []\n}")
req, _ := http.NewRequest("POST", url, payload)
req.Header.Add("content-type", "application/json")
res, _ := http.DefaultClient.Do(req)
defer res.Body.Close()
body, _ := io.ReadAll(res.Body)
fmt.Println(res)
fmt.Println(string(body))
}
POST /baseUrl/batch_delete HTTP/1.1
Content-Type: application/json
Host: example.com
Content-Length: 20
{
"checkIds": []
}
AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("POST", "{{baseUrl}}/batch_delete")
.setHeader("content-type", "application/json")
.setBody("{\n \"checkIds\": []\n}")
.execute()
.toCompletableFuture()
.thenAccept(System.out::println)
.join();
client.close();
HttpRequest request = HttpRequest.newBuilder()
.uri(URI.create("{{baseUrl}}/batch_delete"))
.header("content-type", "application/json")
.method("POST", HttpRequest.BodyPublishers.ofString("{\n \"checkIds\": []\n}"))
.build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();
MediaType mediaType = MediaType.parse("application/json");
RequestBody body = RequestBody.create(mediaType, "{\n \"checkIds\": []\n}");
Request request = new Request.Builder()
.url("{{baseUrl}}/batch_delete")
.post(body)
.addHeader("content-type", "application/json")
.build();
Response response = client.newCall(request).execute();
HttpResponse response = Unirest.post("{{baseUrl}}/batch_delete")
.header("content-type", "application/json")
.body("{\n \"checkIds\": []\n}")
.asString();
const data = JSON.stringify({
checkIds: []
});
const xhr = new XMLHttpRequest();
xhr.withCredentials = true;
xhr.addEventListener('readystatechange', function () {
if (this.readyState === this.DONE) {
console.log(this.responseText);
}
});
xhr.open('POST', '{{baseUrl}}/batch_delete');
xhr.setRequestHeader('content-type', 'application/json');
xhr.send(data);
import axios from 'axios';
const options = {
method: 'POST',
url: '{{baseUrl}}/batch_delete',
headers: {'content-type': 'application/json'},
data: {checkIds: []}
};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const url = '{{baseUrl}}/batch_delete';
const options = {
method: 'POST',
headers: {'content-type': 'application/json'},
body: '{"checkIds":[]}'
};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
const settings = {
async: true,
crossDomain: true,
url: '{{baseUrl}}/batch_delete',
method: 'POST',
headers: {
'content-type': 'application/json'
},
processData: false,
data: '{\n "checkIds": []\n}'
};
$.ajax(settings).done(function (response) {
console.log(response);
});
val client = OkHttpClient()
val mediaType = MediaType.parse("application/json")
val body = RequestBody.create(mediaType, "{\n \"checkIds\": []\n}")
val request = Request.Builder()
.url("{{baseUrl}}/batch_delete")
.post(body)
.addHeader("content-type", "application/json")
.build()
val response = client.newCall(request).execute()
const http = require('https');
const options = {
method: 'POST',
hostname: 'example.com',
port: null,
path: '/baseUrl/batch_delete',
headers: {
'content-type': 'application/json'
}
};
const req = http.request(options, function (res) {
const chunks = [];
res.on('data', function (chunk) {
chunks.push(chunk);
});
res.on('end', function () {
const body = Buffer.concat(chunks);
console.log(body.toString());
});
});
req.write(JSON.stringify({checkIds: []}));
req.end();
const request = require('request');
const options = {
method: 'POST',
url: '{{baseUrl}}/batch_delete',
headers: {'content-type': 'application/json'},
body: {checkIds: []},
json: true
};
request(options, function (error, response, body) {
if (error) throw new Error(error);
console.log(body);
});
const unirest = require('unirest');
const req = unirest('POST', '{{baseUrl}}/batch_delete');
req.headers({
'content-type': 'application/json'
});
req.type('json');
req.send({
checkIds: []
});
req.end(function (res) {
if (res.error) throw new Error(res.error);
console.log(res.body);
});
const axios = require('axios').default;
const options = {
method: 'POST',
url: '{{baseUrl}}/batch_delete',
headers: {'content-type': 'application/json'},
data: {checkIds: []}
};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const fetch = require('node-fetch');
const url = '{{baseUrl}}/batch_delete';
const options = {
method: 'POST',
headers: {'content-type': 'application/json'},
body: '{"checkIds":[]}'
};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
#import
NSDictionary *headers = @{ @"content-type": @"application/json" };
NSDictionary *parameters = @{ @"checkIds": @[ ] };
NSData *postData = [NSJSONSerialization dataWithJSONObject:parameters options:0 error:nil];
NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/batch_delete"]
cachePolicy:NSURLRequestUseProtocolCachePolicy
timeoutInterval:10.0];
[request setHTTPMethod:@"POST"];
[request setAllHTTPHeaderFields:headers];
[request setHTTPBody:postData];
NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
if (error) {
NSLog(@"%@", error);
} else {
NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
NSLog(@"%@", httpResponse);
}
}];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt
let uri = Uri.of_string "{{baseUrl}}/batch_delete" in
let headers = Header.add (Header.init ()) "content-type" "application/json" in
let body = Cohttp_lwt_body.of_string "{\n \"checkIds\": []\n}" in
Client.call ~headers ~body `POST uri
>>= fun (res, body_stream) ->
(* Do stuff with the result *)
"{{baseUrl}}/batch_delete",
CURLOPT_RETURNTRANSFER => true,
CURLOPT_ENCODING => "",
CURLOPT_MAXREDIRS => 10,
CURLOPT_TIMEOUT => 30,
CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
CURLOPT_CUSTOMREQUEST => "POST",
CURLOPT_POSTFIELDS => json_encode([
'checkIds' => [
]
]),
CURLOPT_HTTPHEADER => [
"content-type: application/json"
],
]);
$response = curl_exec($curl);
$err = curl_error($curl);
curl_close($curl);
if ($err) {
echo "cURL Error #:" . $err;
} else {
echo $response;
}
request('POST', '{{baseUrl}}/batch_delete', [
'body' => '{
"checkIds": []
}',
'headers' => [
'content-type' => 'application/json',
],
]);
echo $response->getBody();
setUrl('{{baseUrl}}/batch_delete');
$request->setMethod(HTTP_METH_POST);
$request->setHeaders([
'content-type' => 'application/json'
]);
$request->setContentType('application/json');
$request->setBody(json_encode([
'checkIds' => [
]
]));
try {
$response = $request->send();
echo $response->getBody();
} catch (HttpException $ex) {
echo $ex;
}
append(json_encode([
'checkIds' => [
]
]));
$request->setRequestUrl('{{baseUrl}}/batch_delete');
$request->setRequestMethod('POST');
$request->setBody($body);
$request->setHeaders([
'content-type' => 'application/json'
]);
$client->enqueue($request)->send();
$response = $client->getResponse();
echo $response->getBody();
$headers=@{}
$headers.Add("content-type", "application/json")
$response = Invoke-WebRequest -Uri '{{baseUrl}}/batch_delete' -Method POST -Headers $headers -ContentType 'application/json' -Body '{
"checkIds": []
}'
$headers=@{}
$headers.Add("content-type", "application/json")
$response = Invoke-RestMethod -Uri '{{baseUrl}}/batch_delete' -Method POST -Headers $headers -ContentType 'application/json' -Body '{
"checkIds": []
}'
import http.client
conn = http.client.HTTPSConnection("example.com")
payload = "{\n \"checkIds\": []\n}"
headers = { 'content-type': "application/json" }
conn.request("POST", "/baseUrl/batch_delete", payload, headers)
res = conn.getresponse()
data = res.read()
print(data.decode("utf-8"))
import requests
url = "{{baseUrl}}/batch_delete"
payload = { "checkIds": [] }
headers = {"content-type": "application/json"}
response = requests.post(url, json=payload, headers=headers)
print(response.json())
library(httr)
url <- "{{baseUrl}}/batch_delete"
payload <- "{\n \"checkIds\": []\n}"
encode <- "json"
response <- VERB("POST", url, body = payload, content_type("application/json"), encode = encode)
content(response, "text")
require 'uri'
require 'net/http'
url = URI("{{baseUrl}}/batch_delete")
http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true
request = Net::HTTP::Post.new(url)
request["content-type"] = 'application/json'
request.body = "{\n \"checkIds\": []\n}"
response = http.request(request)
puts response.read_body
require 'faraday'
conn = Faraday.new(
url: 'https://example.com',
headers: {'Content-Type' => 'application/json'}
)
response = conn.post('/baseUrl/batch_delete') do |req|
req.body = "{\n \"checkIds\": []\n}"
end
puts response.status
puts response.body
use serde_json::json;
use reqwest;
#[tokio::main]
pub async fn main() {
let url = "{{baseUrl}}/batch_delete";
let payload = json!({"checkIds": ()});
let mut headers = reqwest::header::HeaderMap::new();
headers.insert("content-type", "application/json".parse().unwrap());
let client = reqwest::Client::new();
let response = client.post(url)
.headers(headers)
.json(&payload)
.send()
.await;
let results = response.unwrap()
.json::()
.await
.unwrap();
dbg!(results);
}
curl --request POST \
--url {{baseUrl}}/batch_delete \
--header 'content-type: application/json' \
--data '{
"checkIds": []
}'
echo '{
"checkIds": []
}' | \
http POST {{baseUrl}}/batch_delete \
content-type:application/json
wget --quiet \
--method POST \
--header 'content-type: application/json' \
--body-data '{\n "checkIds": []\n}' \
--output-document \
- {{baseUrl}}/batch_delete
import Foundation
let headers = ["content-type": "application/json"]
let parameters = ["checkIds": []] as [String : Any]
let postData = JSONSerialization.data(withJSONObject: parameters, options: [])
let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/batch_delete")! as URL,
cachePolicy: .useProtocolCachePolicy,
timeoutInterval: 10.0)
request.httpMethod = "POST"
request.allHTTPHeaderFields = headers
request.httpBody = postData as Data
let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
if (error != nil) {
print(error as Any)
} else {
let httpResponse = response as? HTTPURLResponse
print(httpResponse)
}
})
dataTask.resume()
POST
Check_BatchSubmitChecks
{{baseUrl}}/batch_submit
BODY json
{
"checks": [
{
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
]
}
Examples
REQUEST
CURL *hnd = curl_easy_init();
curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "POST");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/batch_submit");
struct curl_slist *headers = NULL;
headers = curl_slist_append(headers, "content-type: application/json");
curl_easy_setopt(hnd, CURLOPT_HTTPHEADER, headers);
curl_easy_setopt(hnd, CURLOPT_POSTFIELDS, "{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}");
CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])
(client/post "{{baseUrl}}/batch_submit" {:content-type :json
:form-params {:checks [{:id ""
:postId ""
:content ""
:title ""
:userId ""
:status ""
:remark ""
:createdAt ""
:updatedAt ""}]}})
require "http/client"
url = "{{baseUrl}}/batch_submit"
headers = HTTP::Headers{
"content-type" => "application/json"
}
reqBody = "{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}"
response = HTTP::Client.post url, headers: headers, body: reqBody
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
Method = HttpMethod.Post,
RequestUri = new Uri("{{baseUrl}}/batch_submit"),
Content = new StringContent("{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}")
{
Headers =
{
ContentType = new MediaTypeHeaderValue("application/json")
}
}
};
using (var response = await client.SendAsync(request))
{
response.EnsureSuccessStatusCode();
var body = await response.Content.ReadAsStringAsync();
Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/batch_submit");
var request = new RestRequest("", Method.Post);
request.AddHeader("content-type", "application/json");
request.AddParameter("application/json", "{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}", ParameterType.RequestBody);
var response = client.Execute(request);
package main
import (
"fmt"
"strings"
"net/http"
"io"
)
func main() {
url := "{{baseUrl}}/batch_submit"
payload := strings.NewReader("{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}")
req, _ := http.NewRequest("POST", url, payload)
req.Header.Add("content-type", "application/json")
res, _ := http.DefaultClient.Do(req)
defer res.Body.Close()
body, _ := io.ReadAll(res.Body)
fmt.Println(res)
fmt.Println(string(body))
}
POST /baseUrl/batch_submit HTTP/1.1
Content-Type: application/json
Host: example.com
Content-Length: 214
{
"checks": [
{
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
]
}
AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("POST", "{{baseUrl}}/batch_submit")
.setHeader("content-type", "application/json")
.setBody("{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}")
.execute()
.toCompletableFuture()
.thenAccept(System.out::println)
.join();
client.close();
HttpRequest request = HttpRequest.newBuilder()
.uri(URI.create("{{baseUrl}}/batch_submit"))
.header("content-type", "application/json")
.method("POST", HttpRequest.BodyPublishers.ofString("{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}"))
.build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();
MediaType mediaType = MediaType.parse("application/json");
RequestBody body = RequestBody.create(mediaType, "{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}");
Request request = new Request.Builder()
.url("{{baseUrl}}/batch_submit")
.post(body)
.addHeader("content-type", "application/json")
.build();
Response response = client.newCall(request).execute();
HttpResponse response = Unirest.post("{{baseUrl}}/batch_submit")
.header("content-type", "application/json")
.body("{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}")
.asString();
const data = JSON.stringify({
checks: [
{
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
]
});
const xhr = new XMLHttpRequest();
xhr.withCredentials = true;
xhr.addEventListener('readystatechange', function () {
if (this.readyState === this.DONE) {
console.log(this.responseText);
}
});
xhr.open('POST', '{{baseUrl}}/batch_submit');
xhr.setRequestHeader('content-type', 'application/json');
xhr.send(data);
import axios from 'axios';
const options = {
method: 'POST',
url: '{{baseUrl}}/batch_submit',
headers: {'content-type': 'application/json'},
data: {
checks: [
{
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
]
}
};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const url = '{{baseUrl}}/batch_submit';
const options = {
method: 'POST',
headers: {'content-type': 'application/json'},
body: '{"checks":[{"id":"","postId":"","content":"","title":"","userId":"","status":"","remark":"","createdAt":"","updatedAt":""}]}'
};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
const settings = {
async: true,
crossDomain: true,
url: '{{baseUrl}}/batch_submit',
method: 'POST',
headers: {
'content-type': 'application/json'
},
processData: false,
data: '{\n "checks": [\n {\n "id": "",\n "postId": "",\n "content": "",\n "title": "",\n "userId": "",\n "status": "",\n "remark": "",\n "createdAt": "",\n "updatedAt": ""\n }\n ]\n}'
};
$.ajax(settings).done(function (response) {
console.log(response);
});
val client = OkHttpClient()
val mediaType = MediaType.parse("application/json")
val body = RequestBody.create(mediaType, "{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}")
val request = Request.Builder()
.url("{{baseUrl}}/batch_submit")
.post(body)
.addHeader("content-type", "application/json")
.build()
val response = client.newCall(request).execute()
const http = require('https');
const options = {
method: 'POST',
hostname: 'example.com',
port: null,
path: '/baseUrl/batch_submit',
headers: {
'content-type': 'application/json'
}
};
const req = http.request(options, function (res) {
const chunks = [];
res.on('data', function (chunk) {
chunks.push(chunk);
});
res.on('end', function () {
const body = Buffer.concat(chunks);
console.log(body.toString());
});
});
req.write(JSON.stringify({
checks: [
{
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
]
}));
req.end();
const request = require('request');
const options = {
method: 'POST',
url: '{{baseUrl}}/batch_submit',
headers: {'content-type': 'application/json'},
body: {
checks: [
{
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
]
},
json: true
};
request(options, function (error, response, body) {
if (error) throw new Error(error);
console.log(body);
});
const unirest = require('unirest');
const req = unirest('POST', '{{baseUrl}}/batch_submit');
req.headers({
'content-type': 'application/json'
});
req.type('json');
req.send({
checks: [
{
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
]
});
req.end(function (res) {
if (res.error) throw new Error(res.error);
console.log(res.body);
});
const axios = require('axios').default;
const options = {
method: 'POST',
url: '{{baseUrl}}/batch_submit',
headers: {'content-type': 'application/json'},
data: {
checks: [
{
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
]
}
};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const fetch = require('node-fetch');
const url = '{{baseUrl}}/batch_submit';
const options = {
method: 'POST',
headers: {'content-type': 'application/json'},
body: '{"checks":[{"id":"","postId":"","content":"","title":"","userId":"","status":"","remark":"","createdAt":"","updatedAt":""}]}'
};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
#import
NSDictionary *headers = @{ @"content-type": @"application/json" };
NSDictionary *parameters = @{ @"checks": @[ @{ @"id": @"", @"postId": @"", @"content": @"", @"title": @"", @"userId": @"", @"status": @"", @"remark": @"", @"createdAt": @"", @"updatedAt": @"" } ] };
NSData *postData = [NSJSONSerialization dataWithJSONObject:parameters options:0 error:nil];
NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/batch_submit"]
cachePolicy:NSURLRequestUseProtocolCachePolicy
timeoutInterval:10.0];
[request setHTTPMethod:@"POST"];
[request setAllHTTPHeaderFields:headers];
[request setHTTPBody:postData];
NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
if (error) {
NSLog(@"%@", error);
} else {
NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
NSLog(@"%@", httpResponse);
}
}];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt
let uri = Uri.of_string "{{baseUrl}}/batch_submit" in
let headers = Header.add (Header.init ()) "content-type" "application/json" in
let body = Cohttp_lwt_body.of_string "{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}" in
Client.call ~headers ~body `POST uri
>>= fun (res, body_stream) ->
(* Do stuff with the result *)
"{{baseUrl}}/batch_submit",
CURLOPT_RETURNTRANSFER => true,
CURLOPT_ENCODING => "",
CURLOPT_MAXREDIRS => 10,
CURLOPT_TIMEOUT => 30,
CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
CURLOPT_CUSTOMREQUEST => "POST",
CURLOPT_POSTFIELDS => json_encode([
'checks' => [
[
'id' => '',
'postId' => '',
'content' => '',
'title' => '',
'userId' => '',
'status' => '',
'remark' => '',
'createdAt' => '',
'updatedAt' => ''
]
]
]),
CURLOPT_HTTPHEADER => [
"content-type: application/json"
],
]);
$response = curl_exec($curl);
$err = curl_error($curl);
curl_close($curl);
if ($err) {
echo "cURL Error #:" . $err;
} else {
echo $response;
}
request('POST', '{{baseUrl}}/batch_submit', [
'body' => '{
"checks": [
{
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
]
}',
'headers' => [
'content-type' => 'application/json',
],
]);
echo $response->getBody();
setUrl('{{baseUrl}}/batch_submit');
$request->setMethod(HTTP_METH_POST);
$request->setHeaders([
'content-type' => 'application/json'
]);
$request->setContentType('application/json');
$request->setBody(json_encode([
'checks' => [
[
'id' => '',
'postId' => '',
'content' => '',
'title' => '',
'userId' => '',
'status' => '',
'remark' => '',
'createdAt' => '',
'updatedAt' => ''
]
]
]));
try {
$response = $request->send();
echo $response->getBody();
} catch (HttpException $ex) {
echo $ex;
}
append(json_encode([
'checks' => [
[
'id' => '',
'postId' => '',
'content' => '',
'title' => '',
'userId' => '',
'status' => '',
'remark' => '',
'createdAt' => '',
'updatedAt' => ''
]
]
]));
$request->setRequestUrl('{{baseUrl}}/batch_submit');
$request->setRequestMethod('POST');
$request->setBody($body);
$request->setHeaders([
'content-type' => 'application/json'
]);
$client->enqueue($request)->send();
$response = $client->getResponse();
echo $response->getBody();
$headers=@{}
$headers.Add("content-type", "application/json")
$response = Invoke-WebRequest -Uri '{{baseUrl}}/batch_submit' -Method POST -Headers $headers -ContentType 'application/json' -Body '{
"checks": [
{
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
]
}'
$headers=@{}
$headers.Add("content-type", "application/json")
$response = Invoke-RestMethod -Uri '{{baseUrl}}/batch_submit' -Method POST -Headers $headers -ContentType 'application/json' -Body '{
"checks": [
{
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
]
}'
import http.client
conn = http.client.HTTPSConnection("example.com")
payload = "{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}"
headers = { 'content-type': "application/json" }
conn.request("POST", "/baseUrl/batch_submit", payload, headers)
res = conn.getresponse()
data = res.read()
print(data.decode("utf-8"))
import requests
url = "{{baseUrl}}/batch_submit"
payload = { "checks": [
{
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
] }
headers = {"content-type": "application/json"}
response = requests.post(url, json=payload, headers=headers)
print(response.json())
library(httr)
url <- "{{baseUrl}}/batch_submit"
payload <- "{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}"
encode <- "json"
response <- VERB("POST", url, body = payload, content_type("application/json"), encode = encode)
content(response, "text")
require 'uri'
require 'net/http'
url = URI("{{baseUrl}}/batch_submit")
http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true
request = Net::HTTP::Post.new(url)
request["content-type"] = 'application/json'
request.body = "{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}"
response = http.request(request)
puts response.read_body
require 'faraday'
conn = Faraday.new(
url: 'https://example.com',
headers: {'Content-Type' => 'application/json'}
)
response = conn.post('/baseUrl/batch_submit') do |req|
req.body = "{\n \"checks\": [\n {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n ]\n}"
end
puts response.status
puts response.body
use serde_json::json;
use reqwest;
#[tokio::main]
pub async fn main() {
let url = "{{baseUrl}}/batch_submit";
let payload = json!({"checks": (
json!({
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
})
)});
let mut headers = reqwest::header::HeaderMap::new();
headers.insert("content-type", "application/json".parse().unwrap());
let client = reqwest::Client::new();
let response = client.post(url)
.headers(headers)
.json(&payload)
.send()
.await;
let results = response.unwrap()
.json::()
.await
.unwrap();
dbg!(results);
}
curl --request POST \
--url {{baseUrl}}/batch_submit \
--header 'content-type: application/json' \
--data '{
"checks": [
{
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
]
}'
echo '{
"checks": [
{
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
]
}' | \
http POST {{baseUrl}}/batch_submit \
content-type:application/json
wget --quiet \
--method POST \
--header 'content-type: application/json' \
--body-data '{\n "checks": [\n {\n "id": "",\n "postId": "",\n "content": "",\n "title": "",\n "userId": "",\n "status": "",\n "remark": "",\n "createdAt": "",\n "updatedAt": ""\n }\n ]\n}' \
--output-document \
- {{baseUrl}}/batch_submit
import Foundation
let headers = ["content-type": "application/json"]
let parameters = ["checks": [
[
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
]
]] as [String : Any]
let postData = JSONSerialization.data(withJSONObject: parameters, options: [])
let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/batch_submit")! as URL,
cachePolicy: .useProtocolCachePolicy,
timeoutInterval: 10.0)
request.httpMethod = "POST"
request.allHTTPHeaderFields = headers
request.httpBody = postData as Data
let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
if (error != nil) {
print(error as Any)
} else {
let httpResponse = response as? HTTPURLResponse
print(httpResponse)
}
})
dataTask.resume()
DELETE
Check_DeleteCheck
{{baseUrl}}/delete/:checkId
QUERY PARAMS
checkId
Examples
REQUEST
CURL *hnd = curl_easy_init();
curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "DELETE");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/delete/:checkId");
CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])
(client/delete "{{baseUrl}}/delete/:checkId")
require "http/client"
url = "{{baseUrl}}/delete/:checkId"
response = HTTP::Client.delete url
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
Method = HttpMethod.Delete,
RequestUri = new Uri("{{baseUrl}}/delete/:checkId"),
};
using (var response = await client.SendAsync(request))
{
response.EnsureSuccessStatusCode();
var body = await response.Content.ReadAsStringAsync();
Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/delete/:checkId");
var request = new RestRequest("", Method.Delete);
var response = client.Execute(request);
package main
import (
"fmt"
"net/http"
"io"
)
func main() {
url := "{{baseUrl}}/delete/:checkId"
req, _ := http.NewRequest("DELETE", url, nil)
res, _ := http.DefaultClient.Do(req)
defer res.Body.Close()
body, _ := io.ReadAll(res.Body)
fmt.Println(res)
fmt.Println(string(body))
}
DELETE /baseUrl/delete/:checkId HTTP/1.1
Host: example.com
AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("DELETE", "{{baseUrl}}/delete/:checkId")
.execute()
.toCompletableFuture()
.thenAccept(System.out::println)
.join();
client.close();
HttpRequest request = HttpRequest.newBuilder()
.uri(URI.create("{{baseUrl}}/delete/:checkId"))
.method("DELETE", HttpRequest.BodyPublishers.noBody())
.build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();
Request request = new Request.Builder()
.url("{{baseUrl}}/delete/:checkId")
.delete(null)
.build();
Response response = client.newCall(request).execute();
HttpResponse response = Unirest.delete("{{baseUrl}}/delete/:checkId")
.asString();
const data = null;
const xhr = new XMLHttpRequest();
xhr.withCredentials = true;
xhr.addEventListener('readystatechange', function () {
if (this.readyState === this.DONE) {
console.log(this.responseText);
}
});
xhr.open('DELETE', '{{baseUrl}}/delete/:checkId');
xhr.send(data);
import axios from 'axios';
const options = {method: 'DELETE', url: '{{baseUrl}}/delete/:checkId'};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const url = '{{baseUrl}}/delete/:checkId';
const options = {method: 'DELETE'};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
const settings = {
async: true,
crossDomain: true,
url: '{{baseUrl}}/delete/:checkId',
method: 'DELETE',
headers: {}
};
$.ajax(settings).done(function (response) {
console.log(response);
});
val client = OkHttpClient()
val request = Request.Builder()
.url("{{baseUrl}}/delete/:checkId")
.delete(null)
.build()
val response = client.newCall(request).execute()
const http = require('https');
const options = {
method: 'DELETE',
hostname: 'example.com',
port: null,
path: '/baseUrl/delete/:checkId',
headers: {}
};
const req = http.request(options, function (res) {
const chunks = [];
res.on('data', function (chunk) {
chunks.push(chunk);
});
res.on('end', function () {
const body = Buffer.concat(chunks);
console.log(body.toString());
});
});
req.end();
const request = require('request');
const options = {method: 'DELETE', url: '{{baseUrl}}/delete/:checkId'};
request(options, function (error, response, body) {
if (error) throw new Error(error);
console.log(body);
});
const unirest = require('unirest');
const req = unirest('DELETE', '{{baseUrl}}/delete/:checkId');
req.end(function (res) {
if (res.error) throw new Error(res.error);
console.log(res.body);
});
const axios = require('axios').default;
const options = {method: 'DELETE', url: '{{baseUrl}}/delete/:checkId'};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const fetch = require('node-fetch');
const url = '{{baseUrl}}/delete/:checkId';
const options = {method: 'DELETE'};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
#import
NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/delete/:checkId"]
cachePolicy:NSURLRequestUseProtocolCachePolicy
timeoutInterval:10.0];
[request setHTTPMethod:@"DELETE"];
NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
if (error) {
NSLog(@"%@", error);
} else {
NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
NSLog(@"%@", httpResponse);
}
}];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt
let uri = Uri.of_string "{{baseUrl}}/delete/:checkId" in
Client.call `DELETE uri
>>= fun (res, body_stream) ->
(* Do stuff with the result *)
"{{baseUrl}}/delete/:checkId",
CURLOPT_RETURNTRANSFER => true,
CURLOPT_ENCODING => "",
CURLOPT_MAXREDIRS => 10,
CURLOPT_TIMEOUT => 30,
CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
CURLOPT_CUSTOMREQUEST => "DELETE",
]);
$response = curl_exec($curl);
$err = curl_error($curl);
curl_close($curl);
if ($err) {
echo "cURL Error #:" . $err;
} else {
echo $response;
}
request('DELETE', '{{baseUrl}}/delete/:checkId');
echo $response->getBody();
setUrl('{{baseUrl}}/delete/:checkId');
$request->setMethod(HTTP_METH_DELETE);
try {
$response = $request->send();
echo $response->getBody();
} catch (HttpException $ex) {
echo $ex;
}
setRequestUrl('{{baseUrl}}/delete/:checkId');
$request->setRequestMethod('DELETE');
$client->enqueue($request)->send();
$response = $client->getResponse();
echo $response->getBody();
$response = Invoke-WebRequest -Uri '{{baseUrl}}/delete/:checkId' -Method DELETE
$response = Invoke-RestMethod -Uri '{{baseUrl}}/delete/:checkId' -Method DELETE
import http.client
conn = http.client.HTTPSConnection("example.com")
conn.request("DELETE", "/baseUrl/delete/:checkId")
res = conn.getresponse()
data = res.read()
print(data.decode("utf-8"))
import requests
url = "{{baseUrl}}/delete/:checkId"
response = requests.delete(url)
print(response.json())
library(httr)
url <- "{{baseUrl}}/delete/:checkId"
response <- VERB("DELETE", url, content_type("application/octet-stream"))
content(response, "text")
require 'uri'
require 'net/http'
url = URI("{{baseUrl}}/delete/:checkId")
http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true
request = Net::HTTP::Delete.new(url)
response = http.request(request)
puts response.read_body
require 'faraday'
conn = Faraday.new(
url: 'https://example.com',
)
response = conn.delete('/baseUrl/delete/:checkId') do |req|
end
puts response.status
puts response.body
use std::str::FromStr;
use reqwest;
#[tokio::main]
pub async fn main() {
let url = "{{baseUrl}}/delete/:checkId";
let client = reqwest::Client::new();
let response = client.request(reqwest::Method::from_str("DELETE").unwrap(), url)
.send()
.await;
let results = response.unwrap()
.json::()
.await
.unwrap();
dbg!(results);
}
curl --request DELETE \
--url {{baseUrl}}/delete/:checkId
http DELETE {{baseUrl}}/delete/:checkId
wget --quiet \
--method DELETE \
--output-document \
- {{baseUrl}}/delete/:checkId
import Foundation
let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/delete/:checkId")! as URL,
cachePolicy: .useProtocolCachePolicy,
timeoutInterval: 10.0)
request.httpMethod = "DELETE"
let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
if (error != nil) {
print(error as Any)
} else {
let httpResponse = response as? HTTPURLResponse
print(httpResponse)
}
})
dataTask.resume()
GET
Check_GetCheckById
{{baseUrl}}/get/:checkId
QUERY PARAMS
checkId
Examples
REQUEST
CURL *hnd = curl_easy_init();
curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "GET");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/get/:checkId");
CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])
(client/get "{{baseUrl}}/get/:checkId")
require "http/client"
url = "{{baseUrl}}/get/:checkId"
response = HTTP::Client.get url
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
Method = HttpMethod.Get,
RequestUri = new Uri("{{baseUrl}}/get/:checkId"),
};
using (var response = await client.SendAsync(request))
{
response.EnsureSuccessStatusCode();
var body = await response.Content.ReadAsStringAsync();
Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/get/:checkId");
var request = new RestRequest("", Method.Get);
var response = client.Execute(request);
package main
import (
"fmt"
"net/http"
"io"
)
func main() {
url := "{{baseUrl}}/get/:checkId"
req, _ := http.NewRequest("GET", url, nil)
res, _ := http.DefaultClient.Do(req)
defer res.Body.Close()
body, _ := io.ReadAll(res.Body)
fmt.Println(res)
fmt.Println(string(body))
}
GET /baseUrl/get/:checkId HTTP/1.1
Host: example.com
AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("GET", "{{baseUrl}}/get/:checkId")
.execute()
.toCompletableFuture()
.thenAccept(System.out::println)
.join();
client.close();
HttpRequest request = HttpRequest.newBuilder()
.uri(URI.create("{{baseUrl}}/get/:checkId"))
.method("GET", HttpRequest.BodyPublishers.noBody())
.build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();
Request request = new Request.Builder()
.url("{{baseUrl}}/get/:checkId")
.get()
.build();
Response response = client.newCall(request).execute();
HttpResponse response = Unirest.get("{{baseUrl}}/get/:checkId")
.asString();
const data = null;
const xhr = new XMLHttpRequest();
xhr.withCredentials = true;
xhr.addEventListener('readystatechange', function () {
if (this.readyState === this.DONE) {
console.log(this.responseText);
}
});
xhr.open('GET', '{{baseUrl}}/get/:checkId');
xhr.send(data);
import axios from 'axios';
const options = {method: 'GET', url: '{{baseUrl}}/get/:checkId'};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const url = '{{baseUrl}}/get/:checkId';
const options = {method: 'GET'};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
const settings = {
async: true,
crossDomain: true,
url: '{{baseUrl}}/get/:checkId',
method: 'GET',
headers: {}
};
$.ajax(settings).done(function (response) {
console.log(response);
});
val client = OkHttpClient()
val request = Request.Builder()
.url("{{baseUrl}}/get/:checkId")
.get()
.build()
val response = client.newCall(request).execute()
const http = require('https');
const options = {
method: 'GET',
hostname: 'example.com',
port: null,
path: '/baseUrl/get/:checkId',
headers: {}
};
const req = http.request(options, function (res) {
const chunks = [];
res.on('data', function (chunk) {
chunks.push(chunk);
});
res.on('end', function () {
const body = Buffer.concat(chunks);
console.log(body.toString());
});
});
req.end();
const request = require('request');
const options = {method: 'GET', url: '{{baseUrl}}/get/:checkId'};
request(options, function (error, response, body) {
if (error) throw new Error(error);
console.log(body);
});
const unirest = require('unirest');
const req = unirest('GET', '{{baseUrl}}/get/:checkId');
req.end(function (res) {
if (res.error) throw new Error(res.error);
console.log(res.body);
});
const axios = require('axios').default;
const options = {method: 'GET', url: '{{baseUrl}}/get/:checkId'};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const fetch = require('node-fetch');
const url = '{{baseUrl}}/get/:checkId';
const options = {method: 'GET'};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
#import
NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/get/:checkId"]
cachePolicy:NSURLRequestUseProtocolCachePolicy
timeoutInterval:10.0];
[request setHTTPMethod:@"GET"];
NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
if (error) {
NSLog(@"%@", error);
} else {
NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
NSLog(@"%@", httpResponse);
}
}];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt
let uri = Uri.of_string "{{baseUrl}}/get/:checkId" in
Client.call `GET uri
>>= fun (res, body_stream) ->
(* Do stuff with the result *)
"{{baseUrl}}/get/:checkId",
CURLOPT_RETURNTRANSFER => true,
CURLOPT_ENCODING => "",
CURLOPT_MAXREDIRS => 10,
CURLOPT_TIMEOUT => 30,
CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
CURLOPT_CUSTOMREQUEST => "GET",
]);
$response = curl_exec($curl);
$err = curl_error($curl);
curl_close($curl);
if ($err) {
echo "cURL Error #:" . $err;
} else {
echo $response;
}
request('GET', '{{baseUrl}}/get/:checkId');
echo $response->getBody();
setUrl('{{baseUrl}}/get/:checkId');
$request->setMethod(HTTP_METH_GET);
try {
$response = $request->send();
echo $response->getBody();
} catch (HttpException $ex) {
echo $ex;
}
setRequestUrl('{{baseUrl}}/get/:checkId');
$request->setRequestMethod('GET');
$client->enqueue($request)->send();
$response = $client->getResponse();
echo $response->getBody();
$response = Invoke-WebRequest -Uri '{{baseUrl}}/get/:checkId' -Method GET
$response = Invoke-RestMethod -Uri '{{baseUrl}}/get/:checkId' -Method GET
import http.client
conn = http.client.HTTPSConnection("example.com")
conn.request("GET", "/baseUrl/get/:checkId")
res = conn.getresponse()
data = res.read()
print(data.decode("utf-8"))
import requests
url = "{{baseUrl}}/get/:checkId"
response = requests.get(url)
print(response.json())
library(httr)
url <- "{{baseUrl}}/get/:checkId"
response <- VERB("GET", url, content_type("application/octet-stream"))
content(response, "text")
require 'uri'
require 'net/http'
url = URI("{{baseUrl}}/get/:checkId")
http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true
request = Net::HTTP::Get.new(url)
response = http.request(request)
puts response.read_body
require 'faraday'
conn = Faraday.new(
url: 'https://example.com',
)
response = conn.get('/baseUrl/get/:checkId') do |req|
end
puts response.status
puts response.body
use reqwest;
#[tokio::main]
pub async fn main() {
let url = "{{baseUrl}}/get/:checkId";
let client = reqwest::Client::new();
let response = client.get(url)
.send()
.await;
let results = response.unwrap()
.json::()
.await
.unwrap();
dbg!(results);
}
curl --request GET \
--url {{baseUrl}}/get/:checkId
http GET {{baseUrl}}/get/:checkId
wget --quiet \
--method GET \
--output-document \
- {{baseUrl}}/get/:checkId
import Foundation
let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/get/:checkId")! as URL,
cachePolicy: .useProtocolCachePolicy,
timeoutInterval: 10.0)
request.httpMethod = "GET"
let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
if (error != nil) {
print(error as Any)
} else {
let httpResponse = response as? HTTPURLResponse
print(httpResponse)
}
})
dataTask.resume()
GET
Check_ListChecks
{{baseUrl}}/list
Examples
REQUEST
CURL *hnd = curl_easy_init();
curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "GET");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/list");
CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])
(client/get "{{baseUrl}}/list")
require "http/client"
url = "{{baseUrl}}/list"
response = HTTP::Client.get url
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
Method = HttpMethod.Get,
RequestUri = new Uri("{{baseUrl}}/list"),
};
using (var response = await client.SendAsync(request))
{
response.EnsureSuccessStatusCode();
var body = await response.Content.ReadAsStringAsync();
Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/list");
var request = new RestRequest("", Method.Get);
var response = client.Execute(request);
package main
import (
"fmt"
"net/http"
"io"
)
func main() {
url := "{{baseUrl}}/list"
req, _ := http.NewRequest("GET", url, nil)
res, _ := http.DefaultClient.Do(req)
defer res.Body.Close()
body, _ := io.ReadAll(res.Body)
fmt.Println(res)
fmt.Println(string(body))
}
GET /baseUrl/list HTTP/1.1
Host: example.com
AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("GET", "{{baseUrl}}/list")
.execute()
.toCompletableFuture()
.thenAccept(System.out::println)
.join();
client.close();
HttpRequest request = HttpRequest.newBuilder()
.uri(URI.create("{{baseUrl}}/list"))
.method("GET", HttpRequest.BodyPublishers.noBody())
.build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();
Request request = new Request.Builder()
.url("{{baseUrl}}/list")
.get()
.build();
Response response = client.newCall(request).execute();
HttpResponse response = Unirest.get("{{baseUrl}}/list")
.asString();
const data = null;
const xhr = new XMLHttpRequest();
xhr.withCredentials = true;
xhr.addEventListener('readystatechange', function () {
if (this.readyState === this.DONE) {
console.log(this.responseText);
}
});
xhr.open('GET', '{{baseUrl}}/list');
xhr.send(data);
import axios from 'axios';
const options = {method: 'GET', url: '{{baseUrl}}/list'};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const url = '{{baseUrl}}/list';
const options = {method: 'GET'};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
const settings = {
async: true,
crossDomain: true,
url: '{{baseUrl}}/list',
method: 'GET',
headers: {}
};
$.ajax(settings).done(function (response) {
console.log(response);
});
val client = OkHttpClient()
val request = Request.Builder()
.url("{{baseUrl}}/list")
.get()
.build()
val response = client.newCall(request).execute()
const http = require('https');
const options = {
method: 'GET',
hostname: 'example.com',
port: null,
path: '/baseUrl/list',
headers: {}
};
const req = http.request(options, function (res) {
const chunks = [];
res.on('data', function (chunk) {
chunks.push(chunk);
});
res.on('end', function () {
const body = Buffer.concat(chunks);
console.log(body.toString());
});
});
req.end();
const request = require('request');
const options = {method: 'GET', url: '{{baseUrl}}/list'};
request(options, function (error, response, body) {
if (error) throw new Error(error);
console.log(body);
});
const unirest = require('unirest');
const req = unirest('GET', '{{baseUrl}}/list');
req.end(function (res) {
if (res.error) throw new Error(res.error);
console.log(res.body);
});
const axios = require('axios').default;
const options = {method: 'GET', url: '{{baseUrl}}/list'};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const fetch = require('node-fetch');
const url = '{{baseUrl}}/list';
const options = {method: 'GET'};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
#import
NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/list"]
cachePolicy:NSURLRequestUseProtocolCachePolicy
timeoutInterval:10.0];
[request setHTTPMethod:@"GET"];
NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
if (error) {
NSLog(@"%@", error);
} else {
NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
NSLog(@"%@", httpResponse);
}
}];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt
let uri = Uri.of_string "{{baseUrl}}/list" in
Client.call `GET uri
>>= fun (res, body_stream) ->
(* Do stuff with the result *)
"{{baseUrl}}/list",
CURLOPT_RETURNTRANSFER => true,
CURLOPT_ENCODING => "",
CURLOPT_MAXREDIRS => 10,
CURLOPT_TIMEOUT => 30,
CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
CURLOPT_CUSTOMREQUEST => "GET",
]);
$response = curl_exec($curl);
$err = curl_error($curl);
curl_close($curl);
if ($err) {
echo "cURL Error #:" . $err;
} else {
echo $response;
}
request('GET', '{{baseUrl}}/list');
echo $response->getBody();
setUrl('{{baseUrl}}/list');
$request->setMethod(HTTP_METH_GET);
try {
$response = $request->send();
echo $response->getBody();
} catch (HttpException $ex) {
echo $ex;
}
setRequestUrl('{{baseUrl}}/list');
$request->setRequestMethod('GET');
$client->enqueue($request)->send();
$response = $client->getResponse();
echo $response->getBody();
$response = Invoke-WebRequest -Uri '{{baseUrl}}/list' -Method GET
$response = Invoke-RestMethod -Uri '{{baseUrl}}/list' -Method GET
import http.client
conn = http.client.HTTPSConnection("example.com")
conn.request("GET", "/baseUrl/list")
res = conn.getresponse()
data = res.read()
print(data.decode("utf-8"))
import requests
url = "{{baseUrl}}/list"
response = requests.get(url)
print(response.json())
library(httr)
url <- "{{baseUrl}}/list"
response <- VERB("GET", url, content_type("application/octet-stream"))
content(response, "text")
require 'uri'
require 'net/http'
url = URI("{{baseUrl}}/list")
http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true
request = Net::HTTP::Get.new(url)
response = http.request(request)
puts response.read_body
require 'faraday'
conn = Faraday.new(
url: 'https://example.com',
)
response = conn.get('/baseUrl/list') do |req|
end
puts response.status
puts response.body
use reqwest;
#[tokio::main]
pub async fn main() {
let url = "{{baseUrl}}/list";
let client = reqwest::Client::new();
let response = client.get(url)
.send()
.await;
let results = response.unwrap()
.json::()
.await
.unwrap();
dbg!(results);
}
curl --request GET \
--url {{baseUrl}}/list
http GET {{baseUrl}}/list
wget --quiet \
--method GET \
--output-document \
- {{baseUrl}}/list
import Foundation
let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/list")! as URL,
cachePolicy: .useProtocolCachePolicy,
timeoutInterval: 10.0)
request.httpMethod = "GET"
let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
if (error != nil) {
print(error as Any)
} else {
let httpResponse = response as? HTTPURLResponse
print(httpResponse)
}
})
dataTask.resume()
POST
Check_SubmitCheck
{{baseUrl}}/submit
BODY json
{
"checkId": "",
"approved": false
}
Examples
REQUEST
CURL *hnd = curl_easy_init();
curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "POST");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/submit");
struct curl_slist *headers = NULL;
headers = curl_slist_append(headers, "content-type: application/json");
curl_easy_setopt(hnd, CURLOPT_HTTPHEADER, headers);
curl_easy_setopt(hnd, CURLOPT_POSTFIELDS, "{\n \"checkId\": \"\",\n \"approved\": false\n}");
CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])
(client/post "{{baseUrl}}/submit" {:content-type :json
:form-params {:checkId ""
:approved false}})
require "http/client"
url = "{{baseUrl}}/submit"
headers = HTTP::Headers{
"content-type" => "application/json"
}
reqBody = "{\n \"checkId\": \"\",\n \"approved\": false\n}"
response = HTTP::Client.post url, headers: headers, body: reqBody
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
Method = HttpMethod.Post,
RequestUri = new Uri("{{baseUrl}}/submit"),
Content = new StringContent("{\n \"checkId\": \"\",\n \"approved\": false\n}")
{
Headers =
{
ContentType = new MediaTypeHeaderValue("application/json")
}
}
};
using (var response = await client.SendAsync(request))
{
response.EnsureSuccessStatusCode();
var body = await response.Content.ReadAsStringAsync();
Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/submit");
var request = new RestRequest("", Method.Post);
request.AddHeader("content-type", "application/json");
request.AddParameter("application/json", "{\n \"checkId\": \"\",\n \"approved\": false\n}", ParameterType.RequestBody);
var response = client.Execute(request);
package main
import (
"fmt"
"strings"
"net/http"
"io"
)
func main() {
url := "{{baseUrl}}/submit"
payload := strings.NewReader("{\n \"checkId\": \"\",\n \"approved\": false\n}")
req, _ := http.NewRequest("POST", url, payload)
req.Header.Add("content-type", "application/json")
res, _ := http.DefaultClient.Do(req)
defer res.Body.Close()
body, _ := io.ReadAll(res.Body)
fmt.Println(res)
fmt.Println(string(body))
}
POST /baseUrl/submit HTTP/1.1
Content-Type: application/json
Host: example.com
Content-Length: 40
{
"checkId": "",
"approved": false
}
AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("POST", "{{baseUrl}}/submit")
.setHeader("content-type", "application/json")
.setBody("{\n \"checkId\": \"\",\n \"approved\": false\n}")
.execute()
.toCompletableFuture()
.thenAccept(System.out::println)
.join();
client.close();
HttpRequest request = HttpRequest.newBuilder()
.uri(URI.create("{{baseUrl}}/submit"))
.header("content-type", "application/json")
.method("POST", HttpRequest.BodyPublishers.ofString("{\n \"checkId\": \"\",\n \"approved\": false\n}"))
.build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();
MediaType mediaType = MediaType.parse("application/json");
RequestBody body = RequestBody.create(mediaType, "{\n \"checkId\": \"\",\n \"approved\": false\n}");
Request request = new Request.Builder()
.url("{{baseUrl}}/submit")
.post(body)
.addHeader("content-type", "application/json")
.build();
Response response = client.newCall(request).execute();
HttpResponse response = Unirest.post("{{baseUrl}}/submit")
.header("content-type", "application/json")
.body("{\n \"checkId\": \"\",\n \"approved\": false\n}")
.asString();
const data = JSON.stringify({
checkId: '',
approved: false
});
const xhr = new XMLHttpRequest();
xhr.withCredentials = true;
xhr.addEventListener('readystatechange', function () {
if (this.readyState === this.DONE) {
console.log(this.responseText);
}
});
xhr.open('POST', '{{baseUrl}}/submit');
xhr.setRequestHeader('content-type', 'application/json');
xhr.send(data);
import axios from 'axios';
const options = {
method: 'POST',
url: '{{baseUrl}}/submit',
headers: {'content-type': 'application/json'},
data: {checkId: '', approved: false}
};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const url = '{{baseUrl}}/submit';
const options = {
method: 'POST',
headers: {'content-type': 'application/json'},
body: '{"checkId":"","approved":false}'
};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
const settings = {
async: true,
crossDomain: true,
url: '{{baseUrl}}/submit',
method: 'POST',
headers: {
'content-type': 'application/json'
},
processData: false,
data: '{\n "checkId": "",\n "approved": false\n}'
};
$.ajax(settings).done(function (response) {
console.log(response);
});
val client = OkHttpClient()
val mediaType = MediaType.parse("application/json")
val body = RequestBody.create(mediaType, "{\n \"checkId\": \"\",\n \"approved\": false\n}")
val request = Request.Builder()
.url("{{baseUrl}}/submit")
.post(body)
.addHeader("content-type", "application/json")
.build()
val response = client.newCall(request).execute()
const http = require('https');
const options = {
method: 'POST',
hostname: 'example.com',
port: null,
path: '/baseUrl/submit',
headers: {
'content-type': 'application/json'
}
};
const req = http.request(options, function (res) {
const chunks = [];
res.on('data', function (chunk) {
chunks.push(chunk);
});
res.on('end', function () {
const body = Buffer.concat(chunks);
console.log(body.toString());
});
});
req.write(JSON.stringify({checkId: '', approved: false}));
req.end();
const request = require('request');
const options = {
method: 'POST',
url: '{{baseUrl}}/submit',
headers: {'content-type': 'application/json'},
body: {checkId: '', approved: false},
json: true
};
request(options, function (error, response, body) {
if (error) throw new Error(error);
console.log(body);
});
const unirest = require('unirest');
const req = unirest('POST', '{{baseUrl}}/submit');
req.headers({
'content-type': 'application/json'
});
req.type('json');
req.send({
checkId: '',
approved: false
});
req.end(function (res) {
if (res.error) throw new Error(res.error);
console.log(res.body);
});
const axios = require('axios').default;
const options = {
method: 'POST',
url: '{{baseUrl}}/submit',
headers: {'content-type': 'application/json'},
data: {checkId: '', approved: false}
};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const fetch = require('node-fetch');
const url = '{{baseUrl}}/submit';
const options = {
method: 'POST',
headers: {'content-type': 'application/json'},
body: '{"checkId":"","approved":false}'
};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
#import
NSDictionary *headers = @{ @"content-type": @"application/json" };
NSDictionary *parameters = @{ @"checkId": @"",
@"approved": @NO };
NSData *postData = [NSJSONSerialization dataWithJSONObject:parameters options:0 error:nil];
NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/submit"]
cachePolicy:NSURLRequestUseProtocolCachePolicy
timeoutInterval:10.0];
[request setHTTPMethod:@"POST"];
[request setAllHTTPHeaderFields:headers];
[request setHTTPBody:postData];
NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
if (error) {
NSLog(@"%@", error);
} else {
NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
NSLog(@"%@", httpResponse);
}
}];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt
let uri = Uri.of_string "{{baseUrl}}/submit" in
let headers = Header.add (Header.init ()) "content-type" "application/json" in
let body = Cohttp_lwt_body.of_string "{\n \"checkId\": \"\",\n \"approved\": false\n}" in
Client.call ~headers ~body `POST uri
>>= fun (res, body_stream) ->
(* Do stuff with the result *)
"{{baseUrl}}/submit",
CURLOPT_RETURNTRANSFER => true,
CURLOPT_ENCODING => "",
CURLOPT_MAXREDIRS => 10,
CURLOPT_TIMEOUT => 30,
CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
CURLOPT_CUSTOMREQUEST => "POST",
CURLOPT_POSTFIELDS => json_encode([
'checkId' => '',
'approved' => null
]),
CURLOPT_HTTPHEADER => [
"content-type: application/json"
],
]);
$response = curl_exec($curl);
$err = curl_error($curl);
curl_close($curl);
if ($err) {
echo "cURL Error #:" . $err;
} else {
echo $response;
}
request('POST', '{{baseUrl}}/submit', [
'body' => '{
"checkId": "",
"approved": false
}',
'headers' => [
'content-type' => 'application/json',
],
]);
echo $response->getBody();
setUrl('{{baseUrl}}/submit');
$request->setMethod(HTTP_METH_POST);
$request->setHeaders([
'content-type' => 'application/json'
]);
$request->setContentType('application/json');
$request->setBody(json_encode([
'checkId' => '',
'approved' => null
]));
try {
$response = $request->send();
echo $response->getBody();
} catch (HttpException $ex) {
echo $ex;
}
append(json_encode([
'checkId' => '',
'approved' => null
]));
$request->setRequestUrl('{{baseUrl}}/submit');
$request->setRequestMethod('POST');
$request->setBody($body);
$request->setHeaders([
'content-type' => 'application/json'
]);
$client->enqueue($request)->send();
$response = $client->getResponse();
echo $response->getBody();
$headers=@{}
$headers.Add("content-type", "application/json")
$response = Invoke-WebRequest -Uri '{{baseUrl}}/submit' -Method POST -Headers $headers -ContentType 'application/json' -Body '{
"checkId": "",
"approved": false
}'
$headers=@{}
$headers.Add("content-type", "application/json")
$response = Invoke-RestMethod -Uri '{{baseUrl}}/submit' -Method POST -Headers $headers -ContentType 'application/json' -Body '{
"checkId": "",
"approved": false
}'
import http.client
conn = http.client.HTTPSConnection("example.com")
payload = "{\n \"checkId\": \"\",\n \"approved\": false\n}"
headers = { 'content-type': "application/json" }
conn.request("POST", "/baseUrl/submit", payload, headers)
res = conn.getresponse()
data = res.read()
print(data.decode("utf-8"))
import requests
url = "{{baseUrl}}/submit"
payload = {
"checkId": "",
"approved": False
}
headers = {"content-type": "application/json"}
response = requests.post(url, json=payload, headers=headers)
print(response.json())
library(httr)
url <- "{{baseUrl}}/submit"
payload <- "{\n \"checkId\": \"\",\n \"approved\": false\n}"
encode <- "json"
response <- VERB("POST", url, body = payload, content_type("application/json"), encode = encode)
content(response, "text")
require 'uri'
require 'net/http'
url = URI("{{baseUrl}}/submit")
http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true
request = Net::HTTP::Post.new(url)
request["content-type"] = 'application/json'
request.body = "{\n \"checkId\": \"\",\n \"approved\": false\n}"
response = http.request(request)
puts response.read_body
require 'faraday'
conn = Faraday.new(
url: 'https://example.com',
headers: {'Content-Type' => 'application/json'}
)
response = conn.post('/baseUrl/submit') do |req|
req.body = "{\n \"checkId\": \"\",\n \"approved\": false\n}"
end
puts response.status
puts response.body
use serde_json::json;
use reqwest;
#[tokio::main]
pub async fn main() {
let url = "{{baseUrl}}/submit";
let payload = json!({
"checkId": "",
"approved": false
});
let mut headers = reqwest::header::HeaderMap::new();
headers.insert("content-type", "application/json".parse().unwrap());
let client = reqwest::Client::new();
let response = client.post(url)
.headers(headers)
.json(&payload)
.send()
.await;
let results = response.unwrap()
.json::()
.await
.unwrap();
dbg!(results);
}
curl --request POST \
--url {{baseUrl}}/submit \
--header 'content-type: application/json' \
--data '{
"checkId": "",
"approved": false
}'
echo '{
"checkId": "",
"approved": false
}' | \
http POST {{baseUrl}}/submit \
content-type:application/json
wget --quiet \
--method POST \
--header 'content-type: application/json' \
--body-data '{\n "checkId": "",\n "approved": false\n}' \
--output-document \
- {{baseUrl}}/submit
import Foundation
let headers = ["content-type": "application/json"]
let parameters = [
"checkId": "",
"approved": false
] as [String : Any]
let postData = JSONSerialization.data(withJSONObject: parameters, options: [])
let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/submit")! as URL,
cachePolicy: .useProtocolCachePolicy,
timeoutInterval: 10.0)
request.httpMethod = "POST"
request.allHTTPHeaderFields = headers
request.httpBody = postData as Data
let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
if (error != nil) {
print(error as Any)
} else {
let httpResponse = response as? HTTPURLResponse
print(httpResponse)
}
})
dataTask.resume()
POST
Check_UpdateCheck
{{baseUrl}}/update
BODY json
{
"check": {
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
}
Examples
REQUEST
CURL *hnd = curl_easy_init();
curl_easy_setopt(hnd, CURLOPT_CUSTOMREQUEST, "POST");
curl_easy_setopt(hnd, CURLOPT_URL, "{{baseUrl}}/update");
struct curl_slist *headers = NULL;
headers = curl_slist_append(headers, "content-type: application/json");
curl_easy_setopt(hnd, CURLOPT_HTTPHEADER, headers);
curl_easy_setopt(hnd, CURLOPT_POSTFIELDS, "{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}");
CURLcode ret = curl_easy_perform(hnd);
(require '[clj-http.client :as client])
(client/post "{{baseUrl}}/update" {:content-type :json
:form-params {:check {:id ""
:postId ""
:content ""
:title ""
:userId ""
:status ""
:remark ""
:createdAt ""
:updatedAt ""}}})
require "http/client"
url = "{{baseUrl}}/update"
headers = HTTP::Headers{
"content-type" => "application/json"
}
reqBody = "{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}"
response = HTTP::Client.post url, headers: headers, body: reqBody
puts response.body
using System.Net.Http.Headers;
var client = new HttpClient();
var request = new HttpRequestMessage
{
Method = HttpMethod.Post,
RequestUri = new Uri("{{baseUrl}}/update"),
Content = new StringContent("{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}")
{
Headers =
{
ContentType = new MediaTypeHeaderValue("application/json")
}
}
};
using (var response = await client.SendAsync(request))
{
response.EnsureSuccessStatusCode();
var body = await response.Content.ReadAsStringAsync();
Console.WriteLine(body);
}
var client = new RestClient("{{baseUrl}}/update");
var request = new RestRequest("", Method.Post);
request.AddHeader("content-type", "application/json");
request.AddParameter("application/json", "{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}", ParameterType.RequestBody);
var response = client.Execute(request);
package main
import (
"fmt"
"strings"
"net/http"
"io"
)
func main() {
url := "{{baseUrl}}/update"
payload := strings.NewReader("{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}")
req, _ := http.NewRequest("POST", url, payload)
req.Header.Add("content-type", "application/json")
res, _ := http.DefaultClient.Do(req)
defer res.Body.Close()
body, _ := io.ReadAll(res.Body)
fmt.Println(res)
fmt.Println(string(body))
}
POST /baseUrl/update HTTP/1.1
Content-Type: application/json
Host: example.com
Content-Length: 183
{
"check": {
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
}
AsyncHttpClient client = new DefaultAsyncHttpClient();
client.prepare("POST", "{{baseUrl}}/update")
.setHeader("content-type", "application/json")
.setBody("{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}")
.execute()
.toCompletableFuture()
.thenAccept(System.out::println)
.join();
client.close();
HttpRequest request = HttpRequest.newBuilder()
.uri(URI.create("{{baseUrl}}/update"))
.header("content-type", "application/json")
.method("POST", HttpRequest.BodyPublishers.ofString("{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}"))
.build();
HttpResponse response = HttpClient.newHttpClient().send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
OkHttpClient client = new OkHttpClient();
MediaType mediaType = MediaType.parse("application/json");
RequestBody body = RequestBody.create(mediaType, "{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}");
Request request = new Request.Builder()
.url("{{baseUrl}}/update")
.post(body)
.addHeader("content-type", "application/json")
.build();
Response response = client.newCall(request).execute();
HttpResponse response = Unirest.post("{{baseUrl}}/update")
.header("content-type", "application/json")
.body("{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}")
.asString();
const data = JSON.stringify({
check: {
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
});
const xhr = new XMLHttpRequest();
xhr.withCredentials = true;
xhr.addEventListener('readystatechange', function () {
if (this.readyState === this.DONE) {
console.log(this.responseText);
}
});
xhr.open('POST', '{{baseUrl}}/update');
xhr.setRequestHeader('content-type', 'application/json');
xhr.send(data);
import axios from 'axios';
const options = {
method: 'POST',
url: '{{baseUrl}}/update',
headers: {'content-type': 'application/json'},
data: {
check: {
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
}
};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const url = '{{baseUrl}}/update';
const options = {
method: 'POST',
headers: {'content-type': 'application/json'},
body: '{"check":{"id":"","postId":"","content":"","title":"","userId":"","status":"","remark":"","createdAt":"","updatedAt":""}}'
};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
const settings = {
async: true,
crossDomain: true,
url: '{{baseUrl}}/update',
method: 'POST',
headers: {
'content-type': 'application/json'
},
processData: false,
data: '{\n "check": {\n "id": "",\n "postId": "",\n "content": "",\n "title": "",\n "userId": "",\n "status": "",\n "remark": "",\n "createdAt": "",\n "updatedAt": ""\n }\n}'
};
$.ajax(settings).done(function (response) {
console.log(response);
});
val client = OkHttpClient()
val mediaType = MediaType.parse("application/json")
val body = RequestBody.create(mediaType, "{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}")
val request = Request.Builder()
.url("{{baseUrl}}/update")
.post(body)
.addHeader("content-type", "application/json")
.build()
val response = client.newCall(request).execute()
const http = require('https');
const options = {
method: 'POST',
hostname: 'example.com',
port: null,
path: '/baseUrl/update',
headers: {
'content-type': 'application/json'
}
};
const req = http.request(options, function (res) {
const chunks = [];
res.on('data', function (chunk) {
chunks.push(chunk);
});
res.on('end', function () {
const body = Buffer.concat(chunks);
console.log(body.toString());
});
});
req.write(JSON.stringify({
check: {
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
}));
req.end();
const request = require('request');
const options = {
method: 'POST',
url: '{{baseUrl}}/update',
headers: {'content-type': 'application/json'},
body: {
check: {
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
},
json: true
};
request(options, function (error, response, body) {
if (error) throw new Error(error);
console.log(body);
});
const unirest = require('unirest');
const req = unirest('POST', '{{baseUrl}}/update');
req.headers({
'content-type': 'application/json'
});
req.type('json');
req.send({
check: {
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
});
req.end(function (res) {
if (res.error) throw new Error(res.error);
console.log(res.body);
});
const axios = require('axios').default;
const options = {
method: 'POST',
url: '{{baseUrl}}/update',
headers: {'content-type': 'application/json'},
data: {
check: {
id: '',
postId: '',
content: '',
title: '',
userId: '',
status: '',
remark: '',
createdAt: '',
updatedAt: ''
}
}
};
try {
const { data } = await axios.request(options);
console.log(data);
} catch (error) {
console.error(error);
}
const fetch = require('node-fetch');
const url = '{{baseUrl}}/update';
const options = {
method: 'POST',
headers: {'content-type': 'application/json'},
body: '{"check":{"id":"","postId":"","content":"","title":"","userId":"","status":"","remark":"","createdAt":"","updatedAt":""}}'
};
try {
const response = await fetch(url, options);
const data = await response.json();
console.log(data);
} catch (error) {
console.error(error);
}
#import
NSDictionary *headers = @{ @"content-type": @"application/json" };
NSDictionary *parameters = @{ @"check": @{ @"id": @"", @"postId": @"", @"content": @"", @"title": @"", @"userId": @"", @"status": @"", @"remark": @"", @"createdAt": @"", @"updatedAt": @"" } };
NSData *postData = [NSJSONSerialization dataWithJSONObject:parameters options:0 error:nil];
NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"{{baseUrl}}/update"]
cachePolicy:NSURLRequestUseProtocolCachePolicy
timeoutInterval:10.0];
[request setHTTPMethod:@"POST"];
[request setAllHTTPHeaderFields:headers];
[request setHTTPBody:postData];
NSURLSession *session = [NSURLSession sharedSession];
NSURLSessionDataTask *dataTask = [session dataTaskWithRequest:request
completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
if (error) {
NSLog(@"%@", error);
} else {
NSHTTPURLResponse *httpResponse = (NSHTTPURLResponse *) response;
NSLog(@"%@", httpResponse);
}
}];
[dataTask resume];
open Cohttp_lwt_unix
open Cohttp
open Lwt
let uri = Uri.of_string "{{baseUrl}}/update" in
let headers = Header.add (Header.init ()) "content-type" "application/json" in
let body = Cohttp_lwt_body.of_string "{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}" in
Client.call ~headers ~body `POST uri
>>= fun (res, body_stream) ->
(* Do stuff with the result *)
"{{baseUrl}}/update",
CURLOPT_RETURNTRANSFER => true,
CURLOPT_ENCODING => "",
CURLOPT_MAXREDIRS => 10,
CURLOPT_TIMEOUT => 30,
CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
CURLOPT_CUSTOMREQUEST => "POST",
CURLOPT_POSTFIELDS => json_encode([
'check' => [
'id' => '',
'postId' => '',
'content' => '',
'title' => '',
'userId' => '',
'status' => '',
'remark' => '',
'createdAt' => '',
'updatedAt' => ''
]
]),
CURLOPT_HTTPHEADER => [
"content-type: application/json"
],
]);
$response = curl_exec($curl);
$err = curl_error($curl);
curl_close($curl);
if ($err) {
echo "cURL Error #:" . $err;
} else {
echo $response;
}
request('POST', '{{baseUrl}}/update', [
'body' => '{
"check": {
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
}',
'headers' => [
'content-type' => 'application/json',
],
]);
echo $response->getBody();
setUrl('{{baseUrl}}/update');
$request->setMethod(HTTP_METH_POST);
$request->setHeaders([
'content-type' => 'application/json'
]);
$request->setContentType('application/json');
$request->setBody(json_encode([
'check' => [
'id' => '',
'postId' => '',
'content' => '',
'title' => '',
'userId' => '',
'status' => '',
'remark' => '',
'createdAt' => '',
'updatedAt' => ''
]
]));
try {
$response = $request->send();
echo $response->getBody();
} catch (HttpException $ex) {
echo $ex;
}
append(json_encode([
'check' => [
'id' => '',
'postId' => '',
'content' => '',
'title' => '',
'userId' => '',
'status' => '',
'remark' => '',
'createdAt' => '',
'updatedAt' => ''
]
]));
$request->setRequestUrl('{{baseUrl}}/update');
$request->setRequestMethod('POST');
$request->setBody($body);
$request->setHeaders([
'content-type' => 'application/json'
]);
$client->enqueue($request)->send();
$response = $client->getResponse();
echo $response->getBody();
$headers=@{}
$headers.Add("content-type", "application/json")
$response = Invoke-WebRequest -Uri '{{baseUrl}}/update' -Method POST -Headers $headers -ContentType 'application/json' -Body '{
"check": {
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
}'
$headers=@{}
$headers.Add("content-type", "application/json")
$response = Invoke-RestMethod -Uri '{{baseUrl}}/update' -Method POST -Headers $headers -ContentType 'application/json' -Body '{
"check": {
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
}'
import http.client
conn = http.client.HTTPSConnection("example.com")
payload = "{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}"
headers = { 'content-type': "application/json" }
conn.request("POST", "/baseUrl/update", payload, headers)
res = conn.getresponse()
data = res.read()
print(data.decode("utf-8"))
import requests
url = "{{baseUrl}}/update"
payload = { "check": {
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
} }
headers = {"content-type": "application/json"}
response = requests.post(url, json=payload, headers=headers)
print(response.json())
library(httr)
url <- "{{baseUrl}}/update"
payload <- "{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}"
encode <- "json"
response <- VERB("POST", url, body = payload, content_type("application/json"), encode = encode)
content(response, "text")
require 'uri'
require 'net/http'
url = URI("{{baseUrl}}/update")
http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true
request = Net::HTTP::Post.new(url)
request["content-type"] = 'application/json'
request.body = "{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}"
response = http.request(request)
puts response.read_body
require 'faraday'
conn = Faraday.new(
url: 'https://example.com',
headers: {'Content-Type' => 'application/json'}
)
response = conn.post('/baseUrl/update') do |req|
req.body = "{\n \"check\": {\n \"id\": \"\",\n \"postId\": \"\",\n \"content\": \"\",\n \"title\": \"\",\n \"userId\": \"\",\n \"status\": \"\",\n \"remark\": \"\",\n \"createdAt\": \"\",\n \"updatedAt\": \"\"\n }\n}"
end
puts response.status
puts response.body
use serde_json::json;
use reqwest;
#[tokio::main]
pub async fn main() {
let url = "{{baseUrl}}/update";
let payload = json!({"check": json!({
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
})});
let mut headers = reqwest::header::HeaderMap::new();
headers.insert("content-type", "application/json".parse().unwrap());
let client = reqwest::Client::new();
let response = client.post(url)
.headers(headers)
.json(&payload)
.send()
.await;
let results = response.unwrap()
.json::()
.await
.unwrap();
dbg!(results);
}
curl --request POST \
--url {{baseUrl}}/update \
--header 'content-type: application/json' \
--data '{
"check": {
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
}'
echo '{
"check": {
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
}
}' | \
http POST {{baseUrl}}/update \
content-type:application/json
wget --quiet \
--method POST \
--header 'content-type: application/json' \
--body-data '{\n "check": {\n "id": "",\n "postId": "",\n "content": "",\n "title": "",\n "userId": "",\n "status": "",\n "remark": "",\n "createdAt": "",\n "updatedAt": ""\n }\n}' \
--output-document \
- {{baseUrl}}/update
import Foundation
let headers = ["content-type": "application/json"]
let parameters = ["check": [
"id": "",
"postId": "",
"content": "",
"title": "",
"userId": "",
"status": "",
"remark": "",
"createdAt": "",
"updatedAt": ""
]] as [String : Any]
let postData = JSONSerialization.data(withJSONObject: parameters, options: [])
let request = NSMutableURLRequest(url: NSURL(string: "{{baseUrl}}/update")! as URL,
cachePolicy: .useProtocolCachePolicy,
timeoutInterval: 10.0)
request.httpMethod = "POST"
request.allHTTPHeaderFields = headers
request.httpBody = postData as Data
let session = URLSession.shared
let dataTask = session.dataTask(with: request as URLRequest, completionHandler: { (data, response, error) -> Void in
if (error != nil) {
print(error as Any)
} else {
let httpResponse = response as? HTTPURLResponse
print(httpResponse)
}
})
dataTask.resume()