Mark43 for Developers: API Guide
Introduction
Welcome to Mark43 for Developers
__ __ _
\ \ / / | |
\ \ /\ / /__| | ___ ___ _ __ ___ ___
\ \/ \/ / _ \ |/ __/ _ \| '_ ` _ \ / _ \
\ /\ / __/ | (_| (_) | | | | | | __/
\/ \/ \___|_|\___\___/|_| |_| |_|\___|
Mark43 is proud to partner with location providers, community engagement software, and other law enforcement technologies to help us bring cloud-first, data-driven technology to public safety.
By using Mark43 API, you accept our Developer Terms of Use Agreement.
Base URL
The base URL of Mark43 API is: https://department.mark43.com/partnerships/api
.
The API provides a set of endpoints, each with its own unique path.
Authentication
Based on REST principles, Mark43 API Endpoints support authentication with secure API tokens using the standard HTTP Basic Authorization Header. This header must be attached to every request made to the Mark43 system. Contact your Mark43 Technical Services Representative for more information.
Response Structure
Data resources are accessed via standard HTTPS requests in UTF-8 format to an API endpoint. Mark43 API uses the appropriate HTTP verbs for each action:
GET |
Retrieves resources |
POST |
Creates resources |
PUT |
Changes and/or replaces resources or collections |
DELETE |
Deletes resources |
All response data is returned as a JSON object with the following overall structure:
{
"data": {},
"success": true,
"error": "Error message if success is false"
}
data |
Object | Contains created or retrieved objects |
success |
Boolean | Indicates whether the request was successful |
error |
String | Populated with a corresponding error message if the request was unsuccessful |
Response Status Codes
Mark43 API uses the response status codes defined in RFC 2616 and RFC 6586.
Associated Records Endpoints
Associated Records Endpoints
allow for the creation and retrieval of Associated Records in Mark43 RMS.
Associated Records are records/reports that are linked to a Mark43 report with a different Report Number.
These can be records/reports that exist outside an agency's jurisdiction (e.g., an Arrest Report from a neighboring agency),
or within (e.g., multiple Offense/Incident Reports for burglaries committed by the same suspect).
For details on person, organization, item, and location object creation, see Additional Model Information.
GET: Associated Records According to REN
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/associated_records/external_links \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/associated_records/external_links");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/associated_records/external_links',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/associated_records/external_links', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/associated_records/external_links HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/associated_records/external_links', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/associated_records/external_links',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/associated_records/external_links", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/associated_records/external_links";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/associated_records/external_links
Retrieves existing Associated Records links for all reports under provided Reporting Event Numbers (RENs).
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
reporting_event_numbers | query | array[string] | false | Reporting Event Numbers for which Associated Records should be returned |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Associated Records According to REN
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/associated_records/external_links?reporting_event_numbers=string \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/associated_records/external_links?reporting_event_numbers=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/associated_records/external_links',
params: {
'reporting_event_numbers' => 'array[string]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/associated_records/external_links', params={
'reporting_event_numbers': [
"string"
]
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/associated_records/external_links?reporting_event_numbers=string HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/associated_records/external_links', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"externalId": "string",
"externalSystem": "string",
"reasonForAssociation": "string",
"reasonForAssociationOther": "string",
"sourceId": "string",
"sourceSystemName": "string",
"sourceSystemOther": "string",
"url": "string"
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/associated_records/external_links?reporting_event_numbers=string',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/associated_records/external_links", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/associated_records/external_links";
string json = @"[
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""reasonForAssociation"": ""string"",
""reasonForAssociationOther"": ""string"",
""sourceId"": ""string"",
""sourceSystemName"": ""string"",
""sourceSystemOther"": ""string"",
""url"": ""string""
}
]";
ExternalReportExternalLink content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReportExternalLink content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReportExternalLink content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/associated_records/external_links
Creates Associated Records links for reports with specified Reporting Event Numbers (RENs).
Body parameter
[
{
"externalId": "string",
"externalSystem": "string",
"reasonForAssociation": "string",
"reasonForAssociationOther": "string",
"sourceId": "string",
"sourceSystemName": "string",
"sourceSystemOther": "string",
"url": "string"
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
reporting_event_numbers | query | array[string] | true | Reporting Event Numbers of reports to which ExternalReportExternalLinks should be added |
report_types | query | array[string] | false | Types of reports to which ExternalReportExternalLinks should be added |
custom_report_type_names | query | array[string] | false | Name(s) of the Custom Report Type |
body | body | ExternalReportExternalLink | true | ExternalReportExternalLinks to be created |
Allowable Values
Parameter | Value |
---|---|
report_types | ARREST |
report_types | CITATION |
report_types | CUSTODIAL_PROPERTY |
report_types | CUSTOM |
report_types | FIELD_CONTACT |
report_types | IMPOUND |
report_types | MISSING_PERSONS |
report_types | OFFENSE |
report_types | SUPPLEMENT |
report_types | TOW_VEHICLE |
report_types | TRAFFIC_CRASH |
report_types | USE_OF_FORCE |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Associated Records According to Report ID
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/associated_records/external_links/report_ids?report_ids=0 \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/associated_records/external_links/report_ids?report_ids=0");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/associated_records/external_links/report_ids',
params: {
'report_ids' => 'array[integer]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/associated_records/external_links/report_ids', params={
'report_ids': [
0
]
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/associated_records/external_links/report_ids?report_ids=0 HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/associated_records/external_links/report_ids', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"externalId": "string",
"externalSystem": "string",
"reasonForAssociation": "string",
"reasonForAssociationOther": "string",
"sourceId": "string",
"sourceSystemName": "string",
"sourceSystemOther": "string",
"url": "string"
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/associated_records/external_links/report_ids?report_ids=0',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/associated_records/external_links/report_ids", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/associated_records/external_links/report_ids";
string json = @"[
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""reasonForAssociation"": ""string"",
""reasonForAssociationOther"": ""string"",
""sourceId"": ""string"",
""sourceSystemName"": ""string"",
""sourceSystemOther"": ""string"",
""url"": ""string""
}
]";
ExternalReportExternalLink content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReportExternalLink content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReportExternalLink content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/associated_records/external_links/report_ids
Creates Associated Records links for reports with specified Mark43 Report IDs.
Body parameter
[
{
"externalId": "string",
"externalSystem": "string",
"reasonForAssociation": "string",
"reasonForAssociationOther": "string",
"sourceId": "string",
"sourceSystemName": "string",
"sourceSystemOther": "string",
"url": "string"
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
report_ids | query | array[integer] | true | Mark43 IDs of reports to which ExternalReportExternalLinks should be added |
body | body | ExternalReportExternalLink | true | ExternalReportExternalLinks to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
Attachment Endpoints
Attachment Endpoints
allow for the creation and retrieval of attachments in Mark43 RMS.
Attachments, such as image and audio files, can be added to or retrieved from:
- Reports
- Item Profiles
- Person Profiles
POST: File Attachments
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/attachments/files?entity_id=0&entity_type=ITEM_PROFILE&link_type=FINGERPRINT \
-H 'Content-Type: multipart/form-data' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/attachments/files?entity_id=0&entity_type=ITEM_PROFILE&link_type=FINGERPRINT");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'multipart/form-data',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/attachments/files',
params: {
'entity_id' => 'integer(int64)',
'entity_type' => 'string',
'link_type' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'multipart/form-data',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/attachments/files', params={
'entity_id': '0', 'entity_type': 'ITEM_PROFILE', 'link_type': 'FINGERPRINT'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/attachments/files?entity_id=0&entity_type=ITEM_PROFILE&link_type=FINGERPRINT HTTP/1.1
Content-Type: multipart/form-data
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'multipart/form-data',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/attachments/files', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"my-file": "string"
}';
const headers = {
'Content-Type':'multipart/form-data',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/attachments/files?entity_id=0&entity_type=ITEM_PROFILE&link_type=FINGERPRINT',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"multipart/form-data"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/attachments/files", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/attachments/files";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/attachments/files
Creates file attachments that can be added to reports, item profiles, and person profiles.
Body parameter
my-file: string
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
entity_id | query | integer(int64) | true | ID of associated entity |
entity_type | query | string | true | Type of associated entity |
link_type | query | string | true | Link between attachment and associated entity |
body | body | object | false | none |
» my-file | body | string(binary) | false | none |
Allowable Values
Parameter | Value |
---|---|
entity_type | ITEM_PROFILE |
entity_type | PERSON_PROFILE |
entity_type | REPORT |
entity_type | TRAFFIC_CRASH |
link_type | FINGERPRINT |
link_type | REPORT_ATTACHMENT |
link_type | IDENTIFYING_MARK |
link_type | PERSON_PROFILE_ATTACHMENT |
link_type | ITEM_PROFILE_ATTACHMENT |
link_type | TRAFFIC_CRASH_ATTACHMENT |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Image Attachments
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/attachments/images?entity_id=0&entity_type=ITEM_PROFILE&link_type=MUGSHOT \
-H 'Content-Type: multipart/form-data' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/attachments/images?entity_id=0&entity_type=ITEM_PROFILE&link_type=MUGSHOT");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'multipart/form-data',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/attachments/images',
params: {
'entity_id' => 'integer(int64)',
'entity_type' => 'string',
'link_type' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'multipart/form-data',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/attachments/images', params={
'entity_id': '0', 'entity_type': 'ITEM_PROFILE', 'link_type': 'MUGSHOT'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/attachments/images?entity_id=0&entity_type=ITEM_PROFILE&link_type=MUGSHOT HTTP/1.1
Content-Type: multipart/form-data
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'multipart/form-data',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/attachments/images', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"my-file": "string"
}';
const headers = {
'Content-Type':'multipart/form-data',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/attachments/images?entity_id=0&entity_type=ITEM_PROFILE&link_type=MUGSHOT',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"multipart/form-data"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/attachments/images", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/attachments/images";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/attachments/images
Creates image attachments that can be added to reports, item profiles, and person profiles.
Body parameter
my-file: string
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
entity_id | query | integer(int64) | true | ID of associated entity |
entity_type | query | string | true | Type of associated entity |
link_type | query | string | true | Link between attachment and associated entity |
body | body | object | false | none |
» my-file | body | string(binary) | false | none |
Allowable Values
Parameter | Value |
---|---|
entity_type | ITEM_PROFILE |
entity_type | PERSON_PROFILE |
entity_type | REPORT |
entity_type | TRAFFIC_CRASH |
link_type | MUGSHOT |
link_type | FINGERPRINT |
link_type | REPORT_ATTACHMENT |
link_type | PERSON_PROFILE_ATTACHMENT |
link_type | ITEM_PROFILE_PHOTO |
link_type | ITEM_PROFILE_ATTACHMENT |
link_type | TRAFFIC_CRASH_ATTACHMENT |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Search and Retrieve Attachments
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/attachments/search?entity_type=ITEM_PROFILE \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/attachments/search?entity_type=ITEM_PROFILE");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/attachments/search',
params: {
'entity_type' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/attachments/search', params={
'entity_type': 'ITEM_PROFILE'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/attachments/search?entity_type=ITEM_PROFILE HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/attachments/search', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
0
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/attachments/search?entity_type=ITEM_PROFILE',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/attachments/search", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/attachments/search";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/attachments/search
Searches for and retrieves attachments according to Entity Id, Entity Type, and Link Type.
Body parameter
[
0
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
entity_type | query | string | true | Type of associated entity |
link_types | query | array[string] | false | Link between attachment and associated entity |
body | body | array[integer] | true | Set of Mark43 entity IDs |
Allowable Values
Parameter | Value |
---|---|
entity_type | ITEM_PROFILE |
entity_type | PERSON_PROFILE |
entity_type | REPORT |
entity_type | TRAFFIC_CRASH |
entity_type | WARRANT |
link_types | MUGSHOT |
link_types | FINGERPRINT |
link_types | REPORT_ATTACHMENT |
link_types | IDENTIFYING_MARK |
link_types | PERSON_PROFILE_ATTACHMENT |
link_types | COURT_ORDER_ATTACHMENT |
link_types | ITEM_PROFILE_PHOTO |
link_types | ITEM_PROFILE_ATTACHMENT |
link_types | TRAFFIC_CRASH_ATTACHMENT |
link_types | WARRANT_ATTACHMENT |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Output File Stream Attachments
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/attachments/stream/{file_id}
URL obj = new URL("https://department.mark43.com/partnerships/api/external/attachments/stream/{file_id}");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/attachments/stream/{file_id}',
params: {
}
p JSON.parse(result)
import requests
r = requests.get('https://department.mark43.com/partnerships/api/external/attachments/stream/{file_id}')
print(r.json())
GET https://department.mark43.com/partnerships/api/external/attachments/stream/{file_id} HTTP/1.1
<?php
require 'vendor/autoload.php';
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/attachments/stream/{file_id}', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
fetch('https://department.mark43.com/partnerships/api/external/attachments/stream/{file_id}',
{
method: 'GET'
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/attachments/stream/{file_id}", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/attachments/stream/{file_id}";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/attachments/stream/{file_id}
Retrieves output file stream attachments according to file ID.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
file_id | path | integer(int64) | true | Attachment file ID |
Responses
Status | Meaning | Description | Model |
---|---|---|---|
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
default | Default | Successful operation | None |
GET: Attachments by ID
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/attachments/{attachment_id} \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/attachments/{attachment_id}");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/attachments/{attachment_id}',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/attachments/{attachment_id}', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/attachments/{attachment_id} HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/attachments/{attachment_id}', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/attachments/{attachment_id}',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/attachments/{attachment_id}", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/attachments/{attachment_id}";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/attachments/{attachment_id}
Retrieves attachments according to attachment ID.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
attachment_id | path | integer(int64) | true | Attachment ID |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
CAD Configuration Endpoints
CAD Configuration Endpoints
allow for the retrieval of unit and station configuration settings.
GET: Configuration Data for All Stations
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/cad/configuration/stations \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/configuration/stations");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/cad/configuration/stations',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/cad/configuration/stations', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/cad/configuration/stations HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/cad/configuration/stations', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/configuration/stations',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/cad/configuration/stations", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/configuration/stations";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/cad/configuration/stations
Retrieves station configuration settings.
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Configuration Data for Unit States
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/cad/configuration/unit_states \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/configuration/unit_states");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/cad/configuration/unit_states',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/cad/configuration/unit_states', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/cad/configuration/unit_states HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/cad/configuration/unit_states', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/configuration/unit_states',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/cad/configuration/unit_states", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/configuration/unit_states";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/cad/configuration/unit_states
Retrieves unit state configuration settings.
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Latest Unit Status for Provided Units
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/cad/configuration/unit_statuses?unit_id=0 \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/configuration/unit_statuses?unit_id=0");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/cad/configuration/unit_statuses',
params: {
'unit_id' => 'array[integer]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/cad/configuration/unit_statuses', params={
'unit_id': [
0
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/cad/configuration/unit_statuses?unit_id=0 HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/cad/configuration/unit_statuses', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/configuration/unit_statuses?unit_id=0',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/cad/configuration/unit_statuses", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/configuration/unit_statuses";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/cad/configuration/unit_statuses
Retrieves the latest unit status information for the provided Mark43 unit IDs.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
unit_id | query | array[integer] | true | List of Mark43 unit IDs |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Configuration Data for All Units
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/cad/configuration/units \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/configuration/units");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/cad/configuration/units',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/cad/configuration/units', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/cad/configuration/units HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/cad/configuration/units', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/configuration/units',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/cad/configuration/units", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/configuration/units";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/cad/configuration/units
Retrieves the configuration settings for all units within a department.
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Configuration Data for specified units
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/cad/configuration/units \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/configuration/units");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/cad/configuration/units',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/cad/configuration/units', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/cad/configuration/units HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/cad/configuration/units', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
0
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/configuration/units',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/cad/configuration/units", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/configuration/units";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/cad/configuration/units
Retrieves the configuration settings for specified units
Body parameter
[
0
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | array[integer] | false | none |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
CAD Event Endpoints
CAD Event Endpoints
allow for the creation and retrieval of CAD Events.
For details on person, organization, item, and location object creation, see Additional Model Information.
POST: CAD Event
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/cad/event \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/event");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/cad/event',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/cad/event', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/cad/event HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/cad/event', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalInfos": [
{
"additionalInfoType": "string",
"author": {},
"externalId": "string",
"externalSystem": "string",
"text": "string"
}
],
"agencyCode": "string",
"agencyId": 0,
"alarmLevel": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventId": 0,
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callForServiceCode": "string",
"callTaker": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"callTakerStationId": "string",
"callerName": "string",
"callerPhoneNumber": "string",
"communicationType": "string",
"disposition": "string",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventLabels": [
{
"cautionLevel": "string",
"externalId": "string",
"externalSystem": "string",
"name": "string",
"priority": "string"
}
],
"eventPriority": "string",
"eventReceivedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketUnitAndMembers": [
{
"externalId": "string",
"externalSystem": "string",
"isPrimaryOnEvent": true,
"unitCallSign": "string",
"unitDispatchNumber": "string",
"unitMember": {},
"unitType": "string"
}
],
"externalId": "string",
"externalLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"externalSystem": "string",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"firstUnitEnrouteDateutc": "2019-08-24T14:15:22Z",
"involvedPeople": [
{
"externalId": "string",
"externalSystem": "string",
"involvementType": "string",
"note": "string",
"personProfile": {},
"phoneNumber": "string"
}
],
"involvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"involvedUnits": [
{
"activeDateUtc": "2019-08-24T14:15:22Z",
"additionalUnitTypes": [],
"agencyCode": "string",
"agencyOri": "string",
"agencyType": "POLICE",
"comments": "string",
"dispatchAreaId": 0,
"dispatchAreaOverrideId": 0,
"equipmentType": [],
"expirationDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"isMemberRequired": true,
"isPrimary": true,
"isTemporary": true,
"radioIds": [],
"stationId": 0,
"stationName": "strin",
"stationOverrideId": 0,
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"tagNumber": "string",
"unitCallSign": "string",
"unitStatuses": [],
"unitType": "string",
"users": []
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"lastEventClearingComments": "string",
"narrative": "string",
"proQaDeterminantCode": "string",
"radioChannels": [
{
"externalId": "string",
"externalSystem": "string",
"radioChannel": {},
"type": "string"
}
],
"reportingEventNumber": "string",
"reportingEventNumbers": [
{
"agencyCode": "string",
"agencyId": 0,
"agencyOri": "string",
"externalId": "string",
"externalSystem": "string",
"reportingEventNumber": "string"
}
],
"reportingParties": [
{
"externalId": "string",
"externalSystem": "string",
"involvementType": "string",
"note": "string",
"personProfile": {},
"phoneNumber": "string"
}
],
"reportingPartyLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportingPartyNotes": "string",
"reportingPartyPhoneNumber": "string",
"reportingPerson": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"workAddresses": [
{}
]
},
"secondaryEventType": "string"
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/event',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/cad/event", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/event";
string json = @"{
""additionalInfos"": [
{
""additionalInfoType"": ""string"",
""author"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""text"": ""string""
}
],
""agencyCode"": ""string"",
""agencyId"": 0,
""alarmLevel"": ""string"",
""assignedAgencyOri"": ""string"",
""cadAgencyEventNumber"": ""string"",
""cadCommonEventId"": 0,
""cadCommonEventNumber"": ""string"",
""callDateUtc"": ""2019-08-24T14:15:22Z"",
""callForServiceCode"": ""string"",
""callTaker"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""callTakerStationId"": ""string"",
""callerName"": ""string"",
""callerPhoneNumber"": ""string"",
""communicationType"": ""string"",
""disposition"": ""string"",
""e911EventNumber"": ""string"",
""eventClosedDateUtc"": ""2019-08-24T14:15:22Z"",
""eventLabels"": [
{
""cautionLevel"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""name"": ""string"",
""priority"": ""string""
}
],
""eventPriority"": ""string"",
""eventReceivedDateUtc"": ""2019-08-24T14:15:22Z"",
""eventStartDateUtc"": ""2019-08-24T14:15:22Z"",
""eventStatus"": ""string"",
""eventType"": ""string"",
""externalCadTicketUnitAndMembers"": [
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""isPrimaryOnEvent"": true,
""unitCallSign"": ""string"",
""unitDispatchNumber"": ""string"",
""unitMember"": {},
""unitType"": ""string""
}
],
""externalId"": ""string"",
""externalLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""externalSystem"": ""string"",
""firstUnitArrivalDateUtc"": ""2019-08-24T14:15:22Z"",
""firstUnitDispatchDateUtc"": ""2019-08-24T14:15:22Z"",
""firstUnitEnrouteDateutc"": ""2019-08-24T14:15:22Z"",
""involvedPeople"": [
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvementType"": ""string"",
""note"": ""string"",
""personProfile"": {},
""phoneNumber"": ""string""
}
],
""involvedPersons"": [
{
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
}
],
""involvedUnits"": [
{
""activeDateUtc"": ""2019-08-24T14:15:22Z"",
""additionalUnitTypes"": [],
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""agencyType"": ""POLICE"",
""comments"": ""string"",
""dispatchAreaId"": 0,
""dispatchAreaOverrideId"": 0,
""equipmentType"": [],
""expirationDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""isMemberRequired"": true,
""isPrimary"": true,
""isTemporary"": true,
""radioIds"": [],
""stationId"": 0,
""stationName"": ""strin"",
""stationOverrideId"": 0,
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""tagNumber"": ""string"",
""unitCallSign"": ""string"",
""unitStatuses"": [],
""unitType"": ""string"",
""users"": []
}
],
""involvedVehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
],
""lastEventClearingComments"": ""string"",
""narrative"": ""string"",
""proQaDeterminantCode"": ""string"",
""radioChannels"": [
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""radioChannel"": {},
""type"": ""string""
}
],
""reportingEventNumber"": ""string"",
""reportingEventNumbers"": [
{
""agencyCode"": ""string"",
""agencyId"": 0,
""agencyOri"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""reportingEventNumber"": ""string""
}
],
""reportingParties"": [
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvementType"": ""string"",
""note"": ""string"",
""personProfile"": {},
""phoneNumber"": ""string""
}
],
""reportingPartyLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportingPartyNotes"": ""string"",
""reportingPartyPhoneNumber"": ""string"",
""reportingPerson"": {
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {
""property1"": ""string"",
""property2"": ""string""
},
""emergencyContacts"": [
{}
],
""employmentHistories"": [
{}
],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""homeAddresses"": [
{}
],
""identifyingMarks"": [
{}
],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [
""string""
],
""otherIdentifiers"": {
""property1"": ""string"",
""property2"": ""string""
},
""personAttributes"": [
{}
],
""personGangTrackings"": [
{}
],
""personInjuries"": [
{}
],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {
""property1"": ""string"",
""property2"": ""string""
},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [
{}
],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""workAddresses"": [
{}
]
},
""secondaryEventType"": ""string""
}";
ExternalCadEvent content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalCadEvent content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalCadEvent content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/cad/event
Creates a CAD Event in the Unassigned Events dispatch queue.
Body parameter
{
"additionalInfos": [
{
"additionalInfoType": "string",
"author": {},
"externalId": "string",
"externalSystem": "string",
"text": "string"
}
],
"agencyCode": "string",
"agencyId": 0,
"alarmLevel": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventId": 0,
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callForServiceCode": "string",
"callTaker": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"callTakerStationId": "string",
"callerName": "string",
"callerPhoneNumber": "string",
"communicationType": "string",
"disposition": "string",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventLabels": [
{
"cautionLevel": "string",
"externalId": "string",
"externalSystem": "string",
"name": "string",
"priority": "string"
}
],
"eventPriority": "string",
"eventReceivedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketUnitAndMembers": [
{
"externalId": "string",
"externalSystem": "string",
"isPrimaryOnEvent": true,
"unitCallSign": "string",
"unitDispatchNumber": "string",
"unitMember": {},
"unitType": "string"
}
],
"externalId": "string",
"externalLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"externalSystem": "string",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"firstUnitEnrouteDateutc": "2019-08-24T14:15:22Z",
"involvedPeople": [
{
"externalId": "string",
"externalSystem": "string",
"involvementType": "string",
"note": "string",
"personProfile": {},
"phoneNumber": "string"
}
],
"involvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"involvedUnits": [
{
"activeDateUtc": "2019-08-24T14:15:22Z",
"additionalUnitTypes": [],
"agencyCode": "string",
"agencyOri": "string",
"agencyType": "POLICE",
"comments": "string",
"dispatchAreaId": 0,
"dispatchAreaOverrideId": 0,
"equipmentType": [],
"expirationDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"isMemberRequired": true,
"isPrimary": true,
"isTemporary": true,
"radioIds": [],
"stationId": 0,
"stationName": "strin",
"stationOverrideId": 0,
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"tagNumber": "string",
"unitCallSign": "string",
"unitStatuses": [],
"unitType": "string",
"users": []
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"lastEventClearingComments": "string",
"narrative": "string",
"proQaDeterminantCode": "string",
"radioChannels": [
{
"externalId": "string",
"externalSystem": "string",
"radioChannel": {},
"type": "string"
}
],
"reportingEventNumber": "string",
"reportingEventNumbers": [
{
"agencyCode": "string",
"agencyId": 0,
"agencyOri": "string",
"externalId": "string",
"externalSystem": "string",
"reportingEventNumber": "string"
}
],
"reportingParties": [
{
"externalId": "string",
"externalSystem": "string",
"involvementType": "string",
"note": "string",
"personProfile": {},
"phoneNumber": "string"
}
],
"reportingPartyLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportingPartyNotes": "string",
"reportingPartyPhoneNumber": "string",
"reportingPerson": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"workAddresses": [
{}
]
},
"secondaryEventType": "string"
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalCadEvent | true | CAD Event to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: CAD Additional Information
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/cad/event/additional_info \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/event/additional_info");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/cad/event/additional_info',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/cad/event/additional_info', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/cad/event/additional_info HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/cad/event/additional_info', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalInfoType": "string",
"author": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"externalId": "string",
"externalSystem": "string",
"text": "string"
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/event/additional_info',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/cad/event/additional_info", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/event/additional_info";
string json = @"{
""additionalInfoType"": ""string"",
""author"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""externalId"": ""string"",
""externalSystem"": ""string"",
""text"": ""string""
}";
ExternalCadAdditionalInfo content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalCadAdditionalInfo content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalCadAdditionalInfo content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/cad/event/additional_info
Creates additional information to be added to a CAD Event according to Agency Event ID or Agency Event Number. The Event ID or Event Number must be provided.
Body parameter
{
"additionalInfoType": "string",
"author": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"externalId": "string",
"externalSystem": "string",
"text": "string"
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
agency_event_id | query | integer(int64) | false | Agency Event ID for which additional information is created |
agency_event_number | query | string | false | Agency Event Number for which additional information is created |
body | body | ExternalCadAdditionalInfo | false | Additional information to create |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Scheduled CAD Events for department
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/cad/event/scheduled \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/event/scheduled");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/cad/event/scheduled',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/cad/event/scheduled', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/cad/event/scheduled HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/cad/event/scheduled', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/event/scheduled',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/cad/event/scheduled", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/event/scheduled";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/cad/event/scheduled
Retrieves scheduled CAD events for the department id of the requesting api token.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
start_date_utc | query | string | false | start of the range, must be provided in UTC timezone |
end_date_utc | query | string | false | end of the range, must be provided in UTC timezone |
size | query | integer(int32) | false | pagination size |
from | query | integer(int32) | false | pagination from |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Schedule CAD Event
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/cad/event/scheduled?start_date_utc=string \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/event/scheduled?start_date_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/cad/event/scheduled',
params: {
'start_date_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/cad/event/scheduled', params={
'start_date_utc': 'string'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/cad/event/scheduled?start_date_utc=string HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/cad/event/scheduled', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalInfos": [
{
"additionalInfoType": "string",
"author": {},
"externalId": "string",
"externalSystem": "string",
"text": "string"
}
],
"agencyCode": "string",
"agencyId": 0,
"alarmLevel": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventId": 0,
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callForServiceCode": "string",
"callTaker": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"callTakerStationId": "string",
"callerName": "string",
"callerPhoneNumber": "string",
"communicationType": "string",
"disposition": "string",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventLabels": [
{
"cautionLevel": "string",
"externalId": "string",
"externalSystem": "string",
"name": "string",
"priority": "string"
}
],
"eventPriority": "string",
"eventReceivedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketUnitAndMembers": [
{
"externalId": "string",
"externalSystem": "string",
"isPrimaryOnEvent": true,
"unitCallSign": "string",
"unitDispatchNumber": "string",
"unitMember": {},
"unitType": "string"
}
],
"externalId": "string",
"externalLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"externalSystem": "string",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"firstUnitEnrouteDateutc": "2019-08-24T14:15:22Z",
"involvedPeople": [
{
"externalId": "string",
"externalSystem": "string",
"involvementType": "string",
"note": "string",
"personProfile": {},
"phoneNumber": "string"
}
],
"involvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"involvedUnits": [
{
"activeDateUtc": "2019-08-24T14:15:22Z",
"additionalUnitTypes": [],
"agencyCode": "string",
"agencyOri": "string",
"agencyType": "POLICE",
"comments": "string",
"dispatchAreaId": 0,
"dispatchAreaOverrideId": 0,
"equipmentType": [],
"expirationDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"isMemberRequired": true,
"isPrimary": true,
"isTemporary": true,
"radioIds": [],
"stationId": 0,
"stationName": "strin",
"stationOverrideId": 0,
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"tagNumber": "string",
"unitCallSign": "string",
"unitStatuses": [],
"unitType": "string",
"users": []
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"lastEventClearingComments": "string",
"narrative": "string",
"proQaDeterminantCode": "string",
"radioChannels": [
{
"externalId": "string",
"externalSystem": "string",
"radioChannel": {},
"type": "string"
}
],
"reportingEventNumber": "string",
"reportingEventNumbers": [
{
"agencyCode": "string",
"agencyId": 0,
"agencyOri": "string",
"externalId": "string",
"externalSystem": "string",
"reportingEventNumber": "string"
}
],
"reportingParties": [
{
"externalId": "string",
"externalSystem": "string",
"involvementType": "string",
"note": "string",
"personProfile": {},
"phoneNumber": "string"
}
],
"reportingPartyLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportingPartyNotes": "string",
"reportingPartyPhoneNumber": "string",
"reportingPerson": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"workAddresses": [
{}
]
},
"secondaryEventType": "string"
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/event/scheduled?start_date_utc=string',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/cad/event/scheduled", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/event/scheduled";
string json = @"{
""additionalInfos"": [
{
""additionalInfoType"": ""string"",
""author"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""text"": ""string""
}
],
""agencyCode"": ""string"",
""agencyId"": 0,
""alarmLevel"": ""string"",
""assignedAgencyOri"": ""string"",
""cadAgencyEventNumber"": ""string"",
""cadCommonEventId"": 0,
""cadCommonEventNumber"": ""string"",
""callDateUtc"": ""2019-08-24T14:15:22Z"",
""callForServiceCode"": ""string"",
""callTaker"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""callTakerStationId"": ""string"",
""callerName"": ""string"",
""callerPhoneNumber"": ""string"",
""communicationType"": ""string"",
""disposition"": ""string"",
""e911EventNumber"": ""string"",
""eventClosedDateUtc"": ""2019-08-24T14:15:22Z"",
""eventLabels"": [
{
""cautionLevel"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""name"": ""string"",
""priority"": ""string""
}
],
""eventPriority"": ""string"",
""eventReceivedDateUtc"": ""2019-08-24T14:15:22Z"",
""eventStartDateUtc"": ""2019-08-24T14:15:22Z"",
""eventStatus"": ""string"",
""eventType"": ""string"",
""externalCadTicketUnitAndMembers"": [
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""isPrimaryOnEvent"": true,
""unitCallSign"": ""string"",
""unitDispatchNumber"": ""string"",
""unitMember"": {},
""unitType"": ""string""
}
],
""externalId"": ""string"",
""externalLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""externalSystem"": ""string"",
""firstUnitArrivalDateUtc"": ""2019-08-24T14:15:22Z"",
""firstUnitDispatchDateUtc"": ""2019-08-24T14:15:22Z"",
""firstUnitEnrouteDateutc"": ""2019-08-24T14:15:22Z"",
""involvedPeople"": [
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvementType"": ""string"",
""note"": ""string"",
""personProfile"": {},
""phoneNumber"": ""string""
}
],
""involvedPersons"": [
{
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
}
],
""involvedUnits"": [
{
""activeDateUtc"": ""2019-08-24T14:15:22Z"",
""additionalUnitTypes"": [],
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""agencyType"": ""POLICE"",
""comments"": ""string"",
""dispatchAreaId"": 0,
""dispatchAreaOverrideId"": 0,
""equipmentType"": [],
""expirationDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""isMemberRequired"": true,
""isPrimary"": true,
""isTemporary"": true,
""radioIds"": [],
""stationId"": 0,
""stationName"": ""strin"",
""stationOverrideId"": 0,
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""tagNumber"": ""string"",
""unitCallSign"": ""string"",
""unitStatuses"": [],
""unitType"": ""string"",
""users"": []
}
],
""involvedVehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
],
""lastEventClearingComments"": ""string"",
""narrative"": ""string"",
""proQaDeterminantCode"": ""string"",
""radioChannels"": [
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""radioChannel"": {},
""type"": ""string""
}
],
""reportingEventNumber"": ""string"",
""reportingEventNumbers"": [
{
""agencyCode"": ""string"",
""agencyId"": 0,
""agencyOri"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""reportingEventNumber"": ""string""
}
],
""reportingParties"": [
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvementType"": ""string"",
""note"": ""string"",
""personProfile"": {},
""phoneNumber"": ""string""
}
],
""reportingPartyLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportingPartyNotes"": ""string"",
""reportingPartyPhoneNumber"": ""string"",
""reportingPerson"": {
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {
""property1"": ""string"",
""property2"": ""string""
},
""emergencyContacts"": [
{}
],
""employmentHistories"": [
{}
],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""homeAddresses"": [
{}
],
""identifyingMarks"": [
{}
],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [
""string""
],
""otherIdentifiers"": {
""property1"": ""string"",
""property2"": ""string""
},
""personAttributes"": [
{}
],
""personGangTrackings"": [
{}
],
""personInjuries"": [
{}
],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {
""property1"": ""string"",
""property2"": ""string""
},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [
{}
],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""workAddresses"": [
{}
]
},
""secondaryEventType"": ""string""
}";
ExternalCadEvent content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalCadEvent content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalCadEvent content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/cad/event/scheduled
Schedules a CAD Event to be created at the specified time
Body parameter
{
"additionalInfos": [
{
"additionalInfoType": "string",
"author": {},
"externalId": "string",
"externalSystem": "string",
"text": "string"
}
],
"agencyCode": "string",
"agencyId": 0,
"alarmLevel": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventId": 0,
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callForServiceCode": "string",
"callTaker": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"callTakerStationId": "string",
"callerName": "string",
"callerPhoneNumber": "string",
"communicationType": "string",
"disposition": "string",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventLabels": [
{
"cautionLevel": "string",
"externalId": "string",
"externalSystem": "string",
"name": "string",
"priority": "string"
}
],
"eventPriority": "string",
"eventReceivedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketUnitAndMembers": [
{
"externalId": "string",
"externalSystem": "string",
"isPrimaryOnEvent": true,
"unitCallSign": "string",
"unitDispatchNumber": "string",
"unitMember": {},
"unitType": "string"
}
],
"externalId": "string",
"externalLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"externalSystem": "string",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"firstUnitEnrouteDateutc": "2019-08-24T14:15:22Z",
"involvedPeople": [
{
"externalId": "string",
"externalSystem": "string",
"involvementType": "string",
"note": "string",
"personProfile": {},
"phoneNumber": "string"
}
],
"involvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"involvedUnits": [
{
"activeDateUtc": "2019-08-24T14:15:22Z",
"additionalUnitTypes": [],
"agencyCode": "string",
"agencyOri": "string",
"agencyType": "POLICE",
"comments": "string",
"dispatchAreaId": 0,
"dispatchAreaOverrideId": 0,
"equipmentType": [],
"expirationDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"isMemberRequired": true,
"isPrimary": true,
"isTemporary": true,
"radioIds": [],
"stationId": 0,
"stationName": "strin",
"stationOverrideId": 0,
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"tagNumber": "string",
"unitCallSign": "string",
"unitStatuses": [],
"unitType": "string",
"users": []
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"lastEventClearingComments": "string",
"narrative": "string",
"proQaDeterminantCode": "string",
"radioChannels": [
{
"externalId": "string",
"externalSystem": "string",
"radioChannel": {},
"type": "string"
}
],
"reportingEventNumber": "string",
"reportingEventNumbers": [
{
"agencyCode": "string",
"agencyId": 0,
"agencyOri": "string",
"externalId": "string",
"externalSystem": "string",
"reportingEventNumber": "string"
}
],
"reportingParties": [
{
"externalId": "string",
"externalSystem": "string",
"involvementType": "string",
"note": "string",
"personProfile": {},
"phoneNumber": "string"
}
],
"reportingPartyLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportingPartyNotes": "string",
"reportingPartyPhoneNumber": "string",
"reportingPerson": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"workAddresses": [
{}
]
},
"secondaryEventType": "string"
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
start_date_utc | query | string | true | Date/time for the CAD Event Start Date in UTC |
frequency_type | query | string | false | The rate at which the event should be routinely created. Defaults to ONCE if not provided |
body | body | ExternalCadEvent | true | CAD Event to be scheduled for creation |
Allowable Values
Parameter | Value |
---|---|
frequency_type | ONCE |
frequency_type | HOURLY |
frequency_type | DAILY |
frequency_type | WEEKLY |
frequency_type | MONTHLY |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Update Scheduled CAD Event Agency
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/agency?scheduled_event_id=0&agency_code=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/agency?scheduled_event_id=0&agency_code=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/agency',
params: {
'scheduled_event_id' => 'integer(int64)',
'agency_code' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/agency', params={
'scheduled_event_id': '0', 'agency_code': 'string'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/agency?scheduled_event_id=0&agency_code=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/agency', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/agency?scheduled_event_id=0&agency_code=string',
{
method: 'POST',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/agency", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/agency";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/cad/event/scheduled/update/agency
Updates an existing Scheduled CAD Event to be created for the provided agency
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
scheduled_event_id | query | integer(int64) | true | The database id of the event to update the schedule of |
agency_code | query | string | true | The code of the agency to update the event to use |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Update Scheduled CAD Event CFS Type
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/cfs?scheduled_event_id=0&call_for_service_type_code=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/cfs?scheduled_event_id=0&call_for_service_type_code=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/cfs',
params: {
'scheduled_event_id' => 'integer(int64)',
'call_for_service_type_code' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/cfs', params={
'scheduled_event_id': '0', 'call_for_service_type_code': 'string'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/cfs?scheduled_event_id=0&call_for_service_type_code=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/cfs', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/cfs?scheduled_event_id=0&call_for_service_type_code=string',
{
method: 'POST',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/cfs", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/cfs";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/cad/event/scheduled/update/cfs
Updates an existing Scheduled CAD Event to use the provided Call For Service Type
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
scheduled_event_id | query | integer(int64) | true | The database id of the event to update the schedule of |
call_for_service_type_code | query | string | true | The code of the Call For Service type to update the event to use |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Update Scheduled CAD Event Location
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/location?scheduled_event_id=0 \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/location?scheduled_event_id=0");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/location',
params: {
'scheduled_event_id' => 'integer(int64)'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/location', params={
'scheduled_event_id': '0'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/location?scheduled_event_id=0 HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/location', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/location?scheduled_event_id=0',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/location", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/location";
string json = @"{
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
}";
ExternalLocation content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalLocation content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalLocation content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/cad/event/scheduled/update/location
Schedules a CAD Event to be created at the specified time
Body parameter
{
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
scheduled_event_id | query | integer(int64) | true | The database id of the event to update the schedule of |
body | body | ExternalLocation | true | The location to update the scheduled cad event with |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Update Scheduled CAD Event Time
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/reschedule?scheduled_event_id=0&start_date_utc=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/reschedule?scheduled_event_id=0&start_date_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/reschedule',
params: {
'scheduled_event_id' => 'integer(int64)',
'start_date_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/reschedule', params={
'scheduled_event_id': '0', 'start_date_utc': 'string'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/reschedule?scheduled_event_id=0&start_date_utc=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/reschedule', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/reschedule?scheduled_event_id=0&start_date_utc=string',
{
method: 'POST',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/reschedule", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/event/scheduled/update/reschedule";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/cad/event/scheduled/update/reschedule
Reschedules an existing CAD Event to be created at a newly specified time and frequency
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
scheduled_event_id | query | integer(int64) | true | The database id of the event to update the schedule of |
start_date_utc | query | string | true | Date/time for the CAD Event Start Date in UTC |
frequency_type | query | string | false | The rate at which the event should be routinely created. Defaults to ONCE if not provided |
Allowable Values
Parameter | Value |
---|---|
frequency_type | ONCE |
frequency_type | HOURLY |
frequency_type | DAILY |
frequency_type | WEEKLY |
frequency_type | MONTHLY |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: CAD Events
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/cad/events?start_date_utc=string&end_date_utc=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/events?start_date_utc=string&end_date_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/cad/events',
params: {
'start_date_utc' => 'string',
'end_date_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/cad/events', params={
'start_date_utc': 'string', 'end_date_utc': 'string'
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/cad/events?start_date_utc=string&end_date_utc=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/cad/events', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/events?start_date_utc=string&end_date_utc=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/cad/events", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/events";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/cad/events
Retrieves CAD Events created within a specified date/time range.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
start_date_utc | query | string | true | Beginning of date/time range for CAD Event Start Date in UTC |
end_date_utc | query | string | true | End of date/time range for CAD Event End Date in UTC |
from | query | integer(int32) | false | Number of records to skip for paginated results |
size | query | integer(int32) | false | Max size of results set to return. Default & max value: 25 |
agency_type | query | array[string] | false | Agency type filter |
agency_code | query | array[string] | false | Agency code filter |
include_unit_status_history_data | query | boolean | false | Include optional unit status history data |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Active CAD Events
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/cad/events/active \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/events/active");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/cad/events/active',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/cad/events/active', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/cad/events/active HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/cad/events/active', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/events/active',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/cad/events/active", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/events/active";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/cad/events/active
Retrieves currently active CAD events
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
include_unit_status_history_data | query | boolean | false | Include optional unit status history data |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: CAD Events by Event IDs
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/cad/events/ids?cad_event_ids=0 \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad/events/ids?cad_event_ids=0");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/cad/events/ids',
params: {
'cad_event_ids' => 'array[integer]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/cad/events/ids', params={
'cad_event_ids': [
0
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/cad/events/ids?cad_event_ids=0 HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/cad/events/ids', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad/events/ids?cad_event_ids=0',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/cad/events/ids", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad/events/ids";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/cad/events/ids
Retrieves CAD Events according to their Mark43 CAD Event IDs.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
cad_event_ids | query | array[integer] | true | Mark43 Cad Event IDs |
include_unit_status_history_data | query | boolean | false | Include optional unit status history data |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
CAD Ticket Endpoints
This CAD Ticket Endpoint
allows for the creation of CAD tickets.
For details on person, organization, item, and location object creation, see Additional Model Information.
GET: CAD Ticket by Agency Event Number
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/cad_tickets?agency_event_numbers=string&department_id=0 \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad_tickets?agency_event_numbers=string&department_id=0");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/cad_tickets',
params: {
'agency_event_numbers' => 'array[string]',
'department_id' => 'integer(int64)'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/cad_tickets', params={
'agency_event_numbers': [
"string"
], 'department_id': '0'
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/cad_tickets?agency_event_numbers=string&department_id=0 HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/cad_tickets', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad_tickets?agency_event_numbers=string&department_id=0',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/cad_tickets", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad_tickets";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/cad_tickets
Get CAD ticket for a particular agency event numbers.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
agency_event_numbers | query | array[string] | true | Agency Event Numbers to search for |
hydrate_tickets | query | boolean | false | If true, hydrates comments, units, and locations onto the tickets |
department_id | query | integer(int64) | true | Department ID |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Create CAD Tickets
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/cad_tickets \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cad_tickets");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/cad_tickets',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/cad_tickets', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/cad_tickets HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/cad_tickets', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"agencyCode": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callerName": "string",
"callerPhoneNumber": "string",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketComments": [
{}
],
"externalCadTicketUnitAndMembers": [
{}
],
"externalId": "string",
"externalLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"externalSystem": "string",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"fmsEventNumber": "string",
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"reportingEventNumber": "string",
"secondaryEventType": "string"
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cad_tickets',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/cad_tickets", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cad_tickets";
string json = @"[
{
""agencyCode"": ""string"",
""assignedAgencyOri"": ""string"",
""cadAgencyEventNumber"": ""string"",
""cadCommonEventNumber"": ""string"",
""callDateUtc"": ""2019-08-24T14:15:22Z"",
""callerName"": ""string"",
""callerPhoneNumber"": ""string"",
""e911EventNumber"": ""string"",
""eventClosedDateUtc"": ""2019-08-24T14:15:22Z"",
""eventStartDateUtc"": ""2019-08-24T14:15:22Z"",
""eventStatus"": ""string"",
""eventType"": ""string"",
""externalCadTicketComments"": [
{}
],
""externalCadTicketUnitAndMembers"": [
{}
],
""externalId"": ""string"",
""externalLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""externalSystem"": ""string"",
""firstUnitArrivalDateUtc"": ""2019-08-24T14:15:22Z"",
""firstUnitDispatchDateUtc"": ""2019-08-24T14:15:22Z"",
""fmsEventNumber"": ""string"",
""involvedPersons"": [
{}
],
""involvedVehicles"": [
{}
],
""reportingEventNumber"": ""string"",
""secondaryEventType"": ""string""
}
]";
ExternalCadTicket content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalCadTicket content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalCadTicket content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/cad_tickets
Creates CAD tickets.
Body parameter
[
{
"agencyCode": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callerName": "string",
"callerPhoneNumber": "string",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketComments": [
{}
],
"externalCadTicketUnitAndMembers": [
{}
],
"externalId": "string",
"externalLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"externalSystem": "string",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"fmsEventNumber": "string",
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"reportingEventNumber": "string",
"secondaryEventType": "string"
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
hard_insert | query | boolean | false | If true, performs hard insert on CAD tickets (Delete + Insert) |
require_dob_for_master_profile_creation | query | boolean | false | If true, then a date of birth (DOB) is required for creation of a Master Profile |
require_name_identifier_for_master_profile_creation | query | boolean | false | If true, then a Name Identifier (driver license number or social security number) is required for creation of a Master Profile |
search_existing_master_persons_by_name | query | boolean | false | If true, match to existing Master Profile by Name and any one of the following: DOB, Driver's License Number, SSN, Name Identifier; else require Name, DOB, and an additional Identifier to match |
body | body | ExternalCadTicket | true | CAD tickets to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
Case Management Endpoints
Case Management Endpoints
allow agencies that use the Mark43 Case Management Module to interact with case information.
For details on person, organization, item, and location object creation, see Additional Model Information.
GET: Cases by Reporting Event Numbers
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/cases?reporting_event_numbers=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cases?reporting_event_numbers=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/cases',
params: {
'reporting_event_numbers' => 'array[string]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/cases', params={
'reporting_event_numbers': [
"string"
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/cases?reporting_event_numbers=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/cases', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cases?reporting_event_numbers=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/cases", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cases";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/cases
Retrieves cases based on Reporting Event Numbers (RENs).
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
reporting_event_numbers | query | array[string] | true | Reporting Event Numbers to be returned |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Case Notes
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/cases/notes/{case_id} \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cases/notes/{case_id}");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/cases/notes/{case_id}',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/cases/notes/{case_id}', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/cases/notes/{case_id} HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/cases/notes/{case_id}', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"author": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"content": "string",
"externalId": "string",
"externalSystem": "string",
"title": "string"
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cases/notes/{case_id}',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/cases/notes/{case_id}", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cases/notes/{case_id}";
string json = @"[
{
""author"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""content"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""title"": ""string""
}
]";
ExternalCaseNote content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalCaseNote content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalCaseNote content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/cases/notes/{case_id}
Adds case notes to a case.
Body parameter
[
{
"author": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"content": "string",
"externalId": "string",
"externalSystem": "string",
"title": "string"
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
case_id | path | integer(int64) | true | Case ID |
body | body | ExternalCaseNote | true | Case note information |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Updated Cases
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/cases/updated?start_date_utc=string&end_date_utc=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/cases/updated?start_date_utc=string&end_date_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/cases/updated',
params: {
'start_date_utc' => 'string',
'end_date_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/cases/updated', params={
'start_date_utc': 'string', 'end_date_utc': 'string'
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/cases/updated?start_date_utc=string&end_date_utc=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/cases/updated', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/cases/updated?start_date_utc=string&end_date_utc=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/cases/updated", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/cases/updated";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/cases/updated
Retrieves cases that have been updated within a given date/time range.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
start_date_utc | query | string | true | Start of date/time range for case updated date in UTC |
end_date_utc | query | string | true | End of date/time range for case updated date in UTC |
from | query | integer(int32) | false | Number of records to skip for paginated results. Default value: 0 |
size | query | integer(int32) | false | Max size of results set to return. Default & max value: 25 |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
Department User Endpoints
Department User Endpoints
allow for the retrieval and updating of department user profiles.
For details on person, organization, item, and location object creation, see Additional Model Information.
GET: All Department Users
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/users \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/users");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/users',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/users', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/users HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/users', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/users',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/users", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/users";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/users
Retrieves the user profiles of all personnel within a given department. Returned results include biographical information, roles, and date hired. For comprehensive user profiles, use GET external/users/full.
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Full User Profile Information
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/users/full \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/users/full");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/users/full',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/users/full', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/users/full HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/users/full', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/users/full',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/users/full", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/users/full";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/users/full
Retrieves the full user profiles for all personnel within a given department. Returned results include biographical information, division, rank, personnel unit, current duty status, and more.
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Department Users by ID
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/users/ids?user_ids=0 \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/users/ids?user_ids=0");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/users/ids',
params: {
'user_ids' => 'array[integer]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/users/ids', params={
'user_ids': [
0
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/users/ids?user_ids=0 HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/users/ids', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/users/ids?user_ids=0',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/users/ids", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/users/ids";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/users/ids
Retrieves a collection of user profiles according to their Mark43 IDs.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
user_ids | query | array[integer] | true | Mark43 IDs of the users being requested |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Upsert/Replace User Information
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/users/upsert \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/users/upsert");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/users/upsert',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/users/upsert', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/users/upsert HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/users/upsert', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/users/upsert',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/users/upsert", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/users/upsert";
string json = @"[
{
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
]";
ExternalUser content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalUser content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalUser content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/users/upsert
Allows for the disabling of users, but not the assignment/removal of roles. Due to security protocol, changes to a user's email address cannot be made with this endpoint.
Body parameter
[
{
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalUser | true | Users with their information |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Deprecated: Upsert/Replace User Information
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/users/v2 \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/users/v2");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/users/v2',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/users/v2', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/users/v2 HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/users/v2', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/users/v2',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/users/v2", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/users/v2";
string json = @"[
{
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
]";
ExternalUser content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalUser content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalUser content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/users/v2
Deprecated: Endpoint was deprecated in favor of POST /external/users/upsert Allows for the disabling of users, but not the assignment/removal of roles. Due to security protocol, changes to a user's email address cannot be made with this endpoint.
Body parameter
[
{
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalUser | true | Users with their information |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Upsert/Replace User Information, including a particular set of Roles
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/users/with_roles \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/users/with_roles");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/users/with_roles',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/users/with_roles', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/users/with_roles HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/users/with_roles', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"mark43RolesToReplace": [
"string"
],
"usersToUpsert": [
{
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
]
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/users/with_roles',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/users/with_roles", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/users/with_roles";
string json = @"{
""mark43RolesToReplace"": [
""string""
],
""usersToUpsert"": [
{
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
]
}";
ExternalUserUpsertRequest content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalUserUpsertRequest content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalUserUpsertRequest content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/users/with_roles
Allows for the disabling of users and the assignment/removal of roles. Due to security protocol, changes to a user's email address cannot be made with this endpoint.
Body parameter
{
"mark43RolesToReplace": [
"string"
],
"usersToUpsert": [
{
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
]
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalUserUpsertRequest | true | Users with their information |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Department User by ID
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/users/{id} \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/users/{id}");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/users/{id}',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/users/{id}', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/users/{id} HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/users/{id}', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/users/{id}',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/users/{id}", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/users/{id}";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/users/{id}
Retrieves the profile of a single user according to their Mark43 ID.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
id | path | integer(int64) | true | Mark43 ID of the user being requested |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
E911 Endpoints
E911 Endpoints
allow for integrating 911 call data into Mark43 CAD events and tickets.
PUT: E911 Data
Code samples
# You can also use wget
curl -X PUT https://department.mark43.com/partnerships/api/partnerships/e911 \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/partnerships/e911");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("PUT");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.put 'https://department.mark43.com/partnerships/api/partnerships/e911',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.put('https://department.mark43.com/partnerships/api/partnerships/e911', headers = headers)
print(r.json())
PUT https://department.mark43.com/partnerships/api/partnerships/e911 HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('PUT','https://department.mark43.com/partnerships/api/partnerships/e911', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"agencyCode": "string",
"callCenterName": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callerAddress": "string",
"callerLocationArea": "string",
"callerName": "string",
"callerSubPremise": "string",
"callingPhoneNumber": "string",
"classOfService": "strin",
"companyId": "string",
"confidencePercentage": "str",
"countryCode": "UNDEFINED",
"e911StationId": "string",
"ems": "string",
"externalCallTakerStationId": "string",
"externalPhoneCallId": "string",
"fire": "string",
"latitude": 0,
"longitude": 0,
"phoneNumber": "string",
"phoneServiceArea": "string",
"phoneServiceStatusCode": "string",
"pilotNumber": "string",
"pilotPhoneNumber": "string",
"police": "string",
"rawData": "string",
"rawE911Buffer": "string",
"retryCount": 0,
"source": "string",
"sourceSystemCode": "string",
"stationId": "string",
"subscriberAddressType": "string",
"subscriberBuildingFloor": "string",
"subscriberBuildingLocation": "string",
"subscriberBuildingName": "string",
"subscriberLocality": "string",
"subscriberLocationDetails": "string",
"subscriberName": "string",
"subscriberStateCode": "st",
"subscriberStreetDirection": "str",
"subscriberStreetDirectionPreFix": "str",
"subscriberStreetName": "string",
"subscriberStreetNumber": "string",
"subscriberStreetNumberTrailer": "stri",
"subscriberStreetSuffix": "stri",
"subscriberUnitNumber": "string",
"telcoComment": "string",
"towerAltitude": "string",
"towerLatitude": 0,
"towerLongitude": 0,
"uncertaintyFactor": "string"
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/partnerships/e911',
{
method: 'PUT',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("PUT", "https://department.mark43.com/partnerships/api/partnerships/e911", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePutRequest()
{
int id = 1;
string url = "https://department.mark43.com/partnerships/api/partnerships/e911";
string json = @"[
{
""agencyCode"": ""string"",
""callCenterName"": ""string"",
""callDateUtc"": ""2019-08-24T14:15:22Z"",
""callerAddress"": ""string"",
""callerLocationArea"": ""string"",
""callerName"": ""string"",
""callerSubPremise"": ""string"",
""callingPhoneNumber"": ""string"",
""classOfService"": ""strin"",
""companyId"": ""string"",
""confidencePercentage"": ""str"",
""countryCode"": ""UNDEFINED"",
""e911StationId"": ""string"",
""ems"": ""string"",
""externalCallTakerStationId"": ""string"",
""externalPhoneCallId"": ""string"",
""fire"": ""string"",
""latitude"": 0,
""longitude"": 0,
""phoneNumber"": ""string"",
""phoneServiceArea"": ""string"",
""phoneServiceStatusCode"": ""string"",
""pilotNumber"": ""string"",
""pilotPhoneNumber"": ""string"",
""police"": ""string"",
""rawData"": ""string"",
""rawE911Buffer"": ""string"",
""retryCount"": 0,
""source"": ""string"",
""sourceSystemCode"": ""string"",
""stationId"": ""string"",
""subscriberAddressType"": ""string"",
""subscriberBuildingFloor"": ""string"",
""subscriberBuildingLocation"": ""string"",
""subscriberBuildingName"": ""string"",
""subscriberLocality"": ""string"",
""subscriberLocationDetails"": ""string"",
""subscriberName"": ""string"",
""subscriberStateCode"": ""st"",
""subscriberStreetDirection"": ""str"",
""subscriberStreetDirectionPreFix"": ""str"",
""subscriberStreetName"": ""string"",
""subscriberStreetNumber"": ""string"",
""subscriberStreetNumberTrailer"": ""stri"",
""subscriberStreetSuffix"": ""stri"",
""subscriberUnitNumber"": ""string"",
""telcoComment"": ""string"",
""towerAltitude"": ""string"",
""towerLatitude"": 0,
""towerLongitude"": 0,
""uncertaintyFactor"": ""string""
}
]";
E911Call content = JsonConvert.DeserializeObject(json);
var result = await PutAsync(id, content, url);
}
/// Performs a PUT Request
public async Task PutAsync(int id, E911Call content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute PUT request
HttpResponseMessage response = await Client.PutAsync(url + $"/{id}", jsonContent);
//Return response
return await DeserializeObject(response);
}
/// Serialize an object to Json
private StringContent SerializeObject(E911Call content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
PUT /partnerships/e911
Inserts phone call data from an E911 interface into CAD events and tickets.
Body parameter
[
{
"agencyCode": "string",
"callCenterName": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callerAddress": "string",
"callerLocationArea": "string",
"callerName": "string",
"callerSubPremise": "string",
"callingPhoneNumber": "string",
"classOfService": "strin",
"companyId": "string",
"confidencePercentage": "str",
"countryCode": "UNDEFINED",
"e911StationId": "string",
"ems": "string",
"externalCallTakerStationId": "string",
"externalPhoneCallId": "string",
"fire": "string",
"latitude": 0,
"longitude": 0,
"phoneNumber": "string",
"phoneServiceArea": "string",
"phoneServiceStatusCode": "string",
"pilotNumber": "string",
"pilotPhoneNumber": "string",
"police": "string",
"rawData": "string",
"rawE911Buffer": "string",
"retryCount": 0,
"source": "string",
"sourceSystemCode": "string",
"stationId": "string",
"subscriberAddressType": "string",
"subscriberBuildingFloor": "string",
"subscriberBuildingLocation": "string",
"subscriberBuildingName": "string",
"subscriberLocality": "string",
"subscriberLocationDetails": "string",
"subscriberName": "string",
"subscriberStateCode": "st",
"subscriberStreetDirection": "str",
"subscriberStreetDirectionPreFix": "str",
"subscriberStreetName": "string",
"subscriberStreetNumber": "string",
"subscriberStreetNumberTrailer": "stri",
"subscriberStreetSuffix": "stri",
"subscriberUnitNumber": "string",
"telcoComment": "string",
"towerAltitude": "string",
"towerLatitude": 0,
"towerLongitude": 0,
"uncertaintyFactor": "string"
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | E911Call | false | Phone calls from an E911 interface |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
PUT: E911 Data - New Jersey Agencies (Deprecated)
Code samples
# You can also use wget
curl -X PUT https://department.mark43.com/partnerships/api/partnerships/e911/nj \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/partnerships/e911/nj");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("PUT");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.put 'https://department.mark43.com/partnerships/api/partnerships/e911/nj',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.put('https://department.mark43.com/partnerships/api/partnerships/e911/nj', headers = headers)
print(r.json())
PUT https://department.mark43.com/partnerships/api/partnerships/e911/nj HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('PUT','https://department.mark43.com/partnerships/api/partnerships/e911/nj', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"agencyCode": "string",
"callCenterName": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callerAddress": "string",
"callerLocationArea": "string",
"callerName": "string",
"callerSubPremise": "string",
"callingPhoneNumber": "string",
"classOfService": "string",
"companyId": "string",
"confidencePercentage": "string",
"countryCode": "UNDEFINED",
"e911StationId": "string",
"externalCallTakerStationId": "string",
"externalPhoneCallId": "string",
"latitude": 0,
"longitude": 0,
"phoneNumber": "string",
"phoneServiceArea": "string",
"phoneServiceStatusCode": "string",
"pilotPhoneNumber": "string",
"rawData": "string",
"rawE911Buffer": "string",
"retryCount": 0,
"source": "string",
"sourceSystemCode": "string",
"stationId": "string",
"subscriberAddressType": "string",
"subscriberBuildingFloor": "strin",
"subscriberBuildingLocation": "string",
"subscriberBuildingName": "st",
"subscriberLocality": "string",
"subscriberLocationDetails": "string",
"subscriberName": "string",
"subscriberStateCode": "st",
"subscriberStreetDirection": "str",
"subscriberStreetDirectionPreFix": "str",
"subscriberStreetName": "string",
"subscriberStreetNumber": "string",
"subscriberStreetNumberTrailer": "stri",
"subscriberStreetSuffix": "stri",
"subscriberUnitNumber": "string",
"towerAltitude": "string",
"towerLatitude": 0,
"towerLongitude": 0,
"uncertaintyFactor": "string"
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/partnerships/e911/nj',
{
method: 'PUT',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("PUT", "https://department.mark43.com/partnerships/api/partnerships/e911/nj", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePutRequest()
{
int id = 1;
string url = "https://department.mark43.com/partnerships/api/partnerships/e911/nj";
string json = @"[
{
""agencyCode"": ""string"",
""callCenterName"": ""string"",
""callDateUtc"": ""2019-08-24T14:15:22Z"",
""callerAddress"": ""string"",
""callerLocationArea"": ""string"",
""callerName"": ""string"",
""callerSubPremise"": ""string"",
""callingPhoneNumber"": ""string"",
""classOfService"": ""string"",
""companyId"": ""string"",
""confidencePercentage"": ""string"",
""countryCode"": ""UNDEFINED"",
""e911StationId"": ""string"",
""externalCallTakerStationId"": ""string"",
""externalPhoneCallId"": ""string"",
""latitude"": 0,
""longitude"": 0,
""phoneNumber"": ""string"",
""phoneServiceArea"": ""string"",
""phoneServiceStatusCode"": ""string"",
""pilotPhoneNumber"": ""string"",
""rawData"": ""string"",
""rawE911Buffer"": ""string"",
""retryCount"": 0,
""source"": ""string"",
""sourceSystemCode"": ""string"",
""stationId"": ""string"",
""subscriberAddressType"": ""string"",
""subscriberBuildingFloor"": ""strin"",
""subscriberBuildingLocation"": ""string"",
""subscriberBuildingName"": ""st"",
""subscriberLocality"": ""string"",
""subscriberLocationDetails"": ""string"",
""subscriberName"": ""string"",
""subscriberStateCode"": ""st"",
""subscriberStreetDirection"": ""str"",
""subscriberStreetDirectionPreFix"": ""str"",
""subscriberStreetName"": ""string"",
""subscriberStreetNumber"": ""string"",
""subscriberStreetNumberTrailer"": ""stri"",
""subscriberStreetSuffix"": ""stri"",
""subscriberUnitNumber"": ""string"",
""towerAltitude"": ""string"",
""towerLatitude"": 0,
""towerLongitude"": 0,
""uncertaintyFactor"": ""string""
}
]";
NJE911Call content = JsonConvert.DeserializeObject(json);
var result = await PutAsync(id, content, url);
}
/// Performs a PUT Request
public async Task PutAsync(int id, NJE911Call content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute PUT request
HttpResponseMessage response = await Client.PutAsync(url + $"/{id}", jsonContent);
//Return response
return await DeserializeObject(response);
}
/// Serialize an object to Json
private StringContent SerializeObject(NJE911Call content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
PUT /partnerships/e911/nj
Deprecated. Use /partnerships/e911.
Body parameter
[
{
"agencyCode": "string",
"callCenterName": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callerAddress": "string",
"callerLocationArea": "string",
"callerName": "string",
"callerSubPremise": "string",
"callingPhoneNumber": "string",
"classOfService": "string",
"companyId": "string",
"confidencePercentage": "string",
"countryCode": "UNDEFINED",
"e911StationId": "string",
"externalCallTakerStationId": "string",
"externalPhoneCallId": "string",
"latitude": 0,
"longitude": 0,
"phoneNumber": "string",
"phoneServiceArea": "string",
"phoneServiceStatusCode": "string",
"pilotPhoneNumber": "string",
"rawData": "string",
"rawE911Buffer": "string",
"retryCount": 0,
"source": "string",
"sourceSystemCode": "string",
"stationId": "string",
"subscriberAddressType": "string",
"subscriberBuildingFloor": "strin",
"subscriberBuildingLocation": "string",
"subscriberBuildingName": "st",
"subscriberLocality": "string",
"subscriberLocationDetails": "string",
"subscriberName": "string",
"subscriberStateCode": "st",
"subscriberStreetDirection": "str",
"subscriberStreetDirectionPreFix": "str",
"subscriberStreetName": "string",
"subscriberStreetNumber": "string",
"subscriberStreetNumberTrailer": "stri",
"subscriberStreetSuffix": "stri",
"subscriberUnitNumber": "string",
"towerAltitude": "string",
"towerLatitude": 0,
"towerLongitude": 0,
"uncertaintyFactor": "string"
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | NJE911Call | false | Phone calls from an E911 interface |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
Evidence Endpoints
Evidence Endpoints
allow for various operations within the Mark43 Evidence Module, including:
- Creating Evidence Property Reports (the name of this report will vary by agency)
- Retrieving evidence item data on existing reports
- Updating chain of custody statuses
For details on person, organization, item, and location object creation, see Additional Model Information.
POST: Chain Event
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/evidence/chain_events \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/evidence/chain_events");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/evidence/chain_events',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/evidence/chain_events', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/evidence/chain_events HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/evidence/chain_events', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"chainEventType": "string",
"createdByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"description": "string",
"eventDateUtc": "2019-08-24T14:15:22Z",
"eventUserId": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"externalId": "string",
"externalSystem": "string",
"facility": "string",
"itemInPoliceCustodyDateUtc": "2019-08-24T14:15:22Z",
"masterItemId": 0,
"receivedByName": "string",
"receivedByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"reportId": 0,
"storageLocation": "string",
"storageLocationId": 0,
"updatedByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/evidence/chain_events',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/evidence/chain_events", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/evidence/chain_events";
string json = @"[
{
""chainEventType"": ""string"",
""createdByUser"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""description"": ""string"",
""eventDateUtc"": ""2019-08-24T14:15:22Z"",
""eventUserId"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""externalId"": ""string"",
""externalSystem"": ""string"",
""facility"": ""string"",
""itemInPoliceCustodyDateUtc"": ""2019-08-24T14:15:22Z"",
""masterItemId"": 0,
""receivedByName"": ""string"",
""receivedByUser"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""reportId"": 0,
""storageLocation"": ""string"",
""storageLocationId"": 0,
""updatedByUser"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
}
]";
ExternalChainEvent content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalChainEvent content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalChainEvent content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/evidence/chain_events
Creates new chain events in the chain of custody for evidence items.
Body parameter
[
{
"chainEventType": "string",
"createdByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"description": "string",
"eventDateUtc": "2019-08-24T14:15:22Z",
"eventUserId": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"externalId": "string",
"externalSystem": "string",
"facility": "string",
"itemInPoliceCustodyDateUtc": "2019-08-24T14:15:22Z",
"masterItemId": 0,
"receivedByName": "string",
"receivedByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"reportId": 0,
"storageLocation": "string",
"storageLocationId": 0,
"updatedByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalChainEvent | true | Chain events to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Fetch Chains of Custody by IDs
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/evidence/chains_of_custody \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/evidence/chains_of_custody");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/evidence/chains_of_custody',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/evidence/chains_of_custody', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/evidence/chains_of_custody HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/evidence/chains_of_custody', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
0
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/evidence/chains_of_custody',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/evidence/chains_of_custody", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/evidence/chains_of_custody";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/evidence/chains_of_custody
Retrieves a list of evidence items, along with their corresponding Chains of Custody, for the provided Mark43 Master Item IDs
Body parameter
[
0
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | array[integer] | true | Master Item IDs of the Items in Mark43 whose Chains of Custody to return |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Evidence Items
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/evidence/items?range_start_utc=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/evidence/items?range_start_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/evidence/items',
params: {
'range_start_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/evidence/items', params={
'range_start_utc': 'string'
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/evidence/items?range_start_utc=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/evidence/items', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/evidence/items?range_start_utc=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/evidence/items", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/evidence/items";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/evidence/items
Retrieves a list of evidence items, along with their corresponding Chains of Custody, that were updated or that have chain of custody events that took place, within a specified date/time range
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
range_start_utc | query | string | true | Start of date/time range for the item updated date in UTC |
range_end_utc | query | string | false | End of date/time range for the item update date in UTC |
from | query | integer(int32) | false | Number of records to skip for paginated results |
size | query | integer(int32) | false | Max size of results set to return. Default & max value: 25 |
search_by_chain_of_custody_event_time | query | boolean | false | Indicates whether to search by the date/time of corresponding chain events, or by the updated date/time of the item itself |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Evidence Property Report
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/evidence/items?reporting_event_number=string&agency_ori=string \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/evidence/items?reporting_event_number=string&agency_ori=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/evidence/items',
params: {
'reporting_event_number' => 'string',
'agency_ori' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/evidence/items', params={
'reporting_event_number': 'string', 'agency_ori': 'string'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/evidence/items?reporting_event_number=string&agency_ori=string HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/evidence/items', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"approvalStatus": "APPROVED",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"externalSystem": "string",
"firearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"property": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"reportingEventNumber": "string",
"vehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
]
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/evidence/items?reporting_event_number=string&agency_ori=string',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/evidence/items", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/evidence/items";
string json = @"{
""approvalStatus"": ""APPROVED"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""externalSystem"": ""string"",
""firearms"": [
{
""additionalDetails"": {},
""altered"": true,
""barcodeValues"": [],
""barrelLength"": 0,
""caliber"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""finish"": ""string"",
""firearmMake"": ""string"",
""grip"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""numberOfShots"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationNumber"": ""string"",
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""stock"": ""string"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""property"": [
{
""additionalDetails"": {},
""barcodeValues"": [],
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""reportingEventNumber"": ""string"",
""vehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
]
}";
ExternalEvidenceItems content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalEvidenceItems content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalEvidenceItems content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/evidence/items
Creates an Evidence Property Report and evidence items recorded within the report.
Body parameter
{
"approvalStatus": "APPROVED",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"externalSystem": "string",
"firearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"property": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"reportingEventNumber": "string",
"vehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
]
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
reporting_event_number | query | string | true | Reporting Event Number/Incident Number |
agency_ori | query | string | true | Agency ORI |
report_type | query | string | false | Name of agency-configured custom report type |
body | body | ExternalEvidenceItems | true | Evidence items to create |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Evidence Items By Creation Date
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/evidence/items/import_event?range_start_utc=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/evidence/items/import_event?range_start_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/evidence/items/import_event',
params: {
'range_start_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/evidence/items/import_event', params={
'range_start_utc': 'string'
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/evidence/items/import_event?range_start_utc=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/evidence/items/import_event', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/evidence/items/import_event?range_start_utc=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/evidence/items/import_event", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/evidence/items/import_event";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/evidence/items/import_event
Retrieves evidence items that have been imported into the Evidence module within a given date/time range.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
range_start_utc | query | string | true | Start of date/time range for the import event date in UTC |
range_end_utc | query | string | false | End of date/time range for the import event date in UTC |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Evidence Items By Report Status Change
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/evidence/items/report_status_change?range_start_utc=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/evidence/items/report_status_change?range_start_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/evidence/items/report_status_change',
params: {
'range_start_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/evidence/items/report_status_change', params={
'range_start_utc': 'string'
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/evidence/items/report_status_change?range_start_utc=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/evidence/items/report_status_change', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/evidence/items/report_status_change?range_start_utc=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/evidence/items/report_status_change", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/evidence/items/report_status_change";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/evidence/items/report_status_change
Retrieves evidence items on reports with a status change within a given date/time range.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
range_start_utc | query | string | true | Start of date/time range for report status created date in UTC |
range_end_utc | query | string | false | End of date/time range for report status created date in UTC |
approval_status | query | string | false | Approval status for reports |
Allowable Values
Parameter | Value |
---|---|
approval_status | SUBMITTED |
approval_status | APPROVED |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GPS Endpoints
This GPS Endpoint
allows for a unit's GPS location to be updated in Mark43 CAD.
POST: Unit Locations from GPS Provider
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/gps \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/gps");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/gps',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/gps', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/gps HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/gps', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"gpsAuthToken": "string",
"gpsFormat": "string",
"sourceSystemId": "string",
"unitLocations": [
{
"altitude": 0,
"callSign": "string",
"gpsUpdatedDateUtc": "2019-08-24T14:15:22Z",
"hardwareIdentifier": "string",
"latitude": 0,
"loggedInUser": {},
"longitude": 0,
"rawGpsSentence": "string",
"speedKnots": 0,
"speedMph": 0,
"trueCourse": 0,
"unitId": 0
}
]
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/gps',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/gps", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/gps";
string json = @"{
""gpsAuthToken"": ""string"",
""gpsFormat"": ""string"",
""sourceSystemId"": ""string"",
""unitLocations"": [
{
""altitude"": 0,
""callSign"": ""string"",
""gpsUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""hardwareIdentifier"": ""string"",
""latitude"": 0,
""loggedInUser"": {},
""longitude"": 0,
""rawGpsSentence"": ""string"",
""speedKnots"": 0,
""speedMph"": 0,
""trueCourse"": 0,
""unitId"": 0
}
]
}";
ExternalGpsUpdateRequest content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalGpsUpdateRequest content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalGpsUpdateRequest content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/gps
Allows for a unit's GPS location to be updated.
Body parameter
{
"gpsAuthToken": "string",
"gpsFormat": "string",
"sourceSystemId": "string",
"unitLocations": [
{
"altitude": 0,
"callSign": "string",
"gpsUpdatedDateUtc": "2019-08-24T14:15:22Z",
"hardwareIdentifier": "string",
"latitude": 0,
"loggedInUser": {},
"longitude": 0,
"rawGpsSentence": "string",
"speedKnots": 0,
"speedMph": 0,
"trueCourse": 0,
"unitId": 0
}
]
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalGpsUpdateRequest | false | none |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
Person Endpoints
Person Endpoints
allow for finding person profiles in the RMS and for the merging of duplicate person profiles.
For details on person, organization, item, and location object creation, see Additional Model Information.
PUT: Person Name Attributes
Code samples
# You can also use wget
curl -X PUT https://department.mark43.com/partnerships/api/external/person/attributes?person_profile_id=0 \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/person/attributes?person_profile_id=0");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("PUT");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.put 'https://department.mark43.com/partnerships/api/external/person/attributes',
params: {
'person_profile_id' => 'integer(int64)'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.put('https://department.mark43.com/partnerships/api/external/person/attributes', params={
'person_profile_id': '0'
}, headers = headers)
print(r.json())
PUT https://department.mark43.com/partnerships/api/external/person/attributes?person_profile_id=0 HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('PUT','https://department.mark43.com/partnerships/api/external/person/attributes', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"attributeType": "BEHAVIORAL_CHARACTERISTIC",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"parentAttributeId": 0
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/person/attributes?person_profile_id=0',
{
method: 'PUT',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("PUT", "https://department.mark43.com/partnerships/api/external/person/attributes", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePutRequest()
{
int id = 1;
string url = "https://department.mark43.com/partnerships/api/external/person/attributes";
string json = @"[
{
""attributeType"": ""BEHAVIORAL_CHARACTERISTIC"",
""description"": ""string"",
""displayAbbreviation"": ""string"",
""displayValue"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""parentAttributeId"": 0
}
]";
ExternalNameAttribute content = JsonConvert.DeserializeObject(json);
var result = await PutAsync(id, content, url);
}
/// Performs a PUT Request
public async Task PutAsync(int id, ExternalNameAttribute content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute PUT request
HttpResponseMessage response = await Client.PutAsync(url + $"/{id}", jsonContent);
//Return response
return await DeserializeObject(response);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalNameAttribute content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
PUT /external/person/attributes
Wholly replaces the name attributes for a person profile
Body parameter
[
{
"attributeType": "BEHAVIORAL_CHARACTERISTIC",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"parentAttributeId": 0
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
person_profile_id | query | integer(int64) | true | Related Person Profile ID |
body | body | ExternalNameAttribute | false | Person Name Attributes to replace existing person name attributes |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Person Identifying Marks
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/person/identifying_marks \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/person/identifying_marks");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/person/identifying_marks',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/person/identifying_marks', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/person/identifying_marks HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/person/identifying_marks', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"externalId": "string",
"externalSystem": "string",
"identifyingMarkDescription": "string",
"identifyingMarkImage": {
"attachmentInBase64": [],
"externalId": "string",
"externalSystem": "string",
"fileName": "string"
},
"identifyingMarkLocation": "string",
"identifyingMarkType": "string"
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/person/identifying_marks',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/person/identifying_marks", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/person/identifying_marks";
string json = @"[
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""identifyingMarkDescription"": ""string"",
""identifyingMarkImage"": {
""attachmentInBase64"": [],
""externalId"": ""string"",
""externalSystem"": ""string"",
""fileName"": ""string""
},
""identifyingMarkLocation"": ""string"",
""identifyingMarkType"": ""string""
}
]";
ExternalPersonIdentifyingMark content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalPersonIdentifyingMark content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalPersonIdentifyingMark content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/person/identifying_marks
Updates identifying marks and images for a person profile.
Body parameter
[
{
"externalId": "string",
"externalSystem": "string",
"identifyingMarkDescription": "string",
"identifyingMarkImage": {
"attachmentInBase64": [],
"externalId": "string",
"externalSystem": "string",
"fileName": "string"
},
"identifyingMarkLocation": "string",
"identifyingMarkType": "string"
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
person_profile_id | query | integer(int64) | false | Related Person Profile ID |
body | body | ExternalPersonIdentifyingMark | false | Identifying Marks to be updated or created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Lookup Master Person Profile
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/person/master \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/person/master");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/person/master',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/person/master', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/person/master HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/person/master', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"dateOfBirth": "string",
"firstName": "string",
"lastName": "string",
"licenseNumber": "string",
"ssn": "string"
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/person/master',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/person/master", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/person/master";
string json = @"{
""dateOfBirth"": ""string"",
""firstName"": ""string"",
""lastName"": ""string"",
""licenseNumber"": ""string"",
""ssn"": ""string""
}";
ExternalPersonLookupRequest content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalPersonLookupRequest content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalPersonLookupRequest content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/person/master
Retrieves a master person profile based on a request that contains First Name, Last Name, Date of Birth, and one of the following: Driver's License Number or Social Security Number.
Body parameter
{
"dateOfBirth": "string",
"firstName": "string",
"lastName": "string",
"licenseNumber": "string",
"ssn": "string"
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalPersonLookupRequest | false | none |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Merge Duplicate Master Person Profiles
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/person/merge \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/person/merge");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/person/merge',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/person/merge', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/person/merge HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/person/merge', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
0
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/person/merge',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/person/merge", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/person/merge";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/person/merge
Merges a collection of master person profiles. Duplicate profiles are merged into the most recently updated profile, including all links to reports, items, and locations. On successful response, data is a JSON object containing the remaining master person profile ID, and the list of IDs that were merged into the remaining profile. Merging person profiles via this endpoint is irreversible. Use the endpoint validation override flag with extreme caution.
Body parameter
[
0
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
skip_person_matching_validation | query | boolean | false | Override Name, DOB, SSN/DL matching requirements. Use with extreme caution as merge results are irreversible |
body | body | array[integer] | false | none |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Merge Duplicate Master Person Profiles With Criteria
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/person/merge_with_criteria \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/person/merge_with_criteria");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/person/merge_with_criteria',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/person/merge_with_criteria', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/person/merge_with_criteria HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/person/merge_with_criteria', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"duplicateMasterPersonIds": [
0
],
"mergeBasedOnNameIdentifier": true,
"nameIdentifierTypeAttr": "string",
"nameIdentifierValue": "string",
"requirePersonMatch": true,
"targetMasterPersonId": 0
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/person/merge_with_criteria',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/person/merge_with_criteria", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/person/merge_with_criteria";
string json = @"{
""duplicateMasterPersonIds"": [
0
],
""mergeBasedOnNameIdentifier"": true,
""nameIdentifierTypeAttr"": ""string"",
""nameIdentifierValue"": ""string"",
""requirePersonMatch"": true,
""targetMasterPersonId"": 0
}";
ExternalMergePersonRequest content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalMergePersonRequest content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalMergePersonRequest content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/person/merge_with_criteria
Merges a collection of master person profiles based on specified criteria. Duplicate profiles are merged into the specified target profile, or the most recently updated profile, if one is not provided. The merge operationincludes all links to reports, items, and locations. On successful response, data is a JSON object containing the remaining master person profile ID, and the list of IDs that were merged into the remaining profile. Merging person profiles via this endpoint is irreversible. Use the endpoint validation override features with extreme caution.
Body parameter
{
"duplicateMasterPersonIds": [
0
],
"mergeBasedOnNameIdentifier": true,
"nameIdentifierTypeAttr": "string",
"nameIdentifierValue": "string",
"requirePersonMatch": true,
"targetMasterPersonId": 0
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalMergePersonRequest | false | none |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
PUT: Person Name Identifiers
Code samples
# You can also use wget
curl -X PUT https://department.mark43.com/partnerships/api/external/person/name_identifiers?person_profile_id=0 \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/person/name_identifiers?person_profile_id=0");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("PUT");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.put 'https://department.mark43.com/partnerships/api/external/person/name_identifiers',
params: {
'person_profile_id' => 'integer(int64)'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.put('https://department.mark43.com/partnerships/api/external/person/name_identifiers', params={
'person_profile_id': '0'
}, headers = headers)
print(r.json())
PUT https://department.mark43.com/partnerships/api/external/person/name_identifiers?person_profile_id=0 HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('PUT','https://department.mark43.com/partnerships/api/external/person/name_identifiers', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"externalId": "string",
"externalSystem": "string",
"nameIdentifier": "string",
"nameIdentifierDescription": "string",
"nameIdentifierType": "string",
"organizationId": 1,
"personId": 1
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/person/name_identifiers?person_profile_id=0',
{
method: 'PUT',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("PUT", "https://department.mark43.com/partnerships/api/external/person/name_identifiers", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePutRequest()
{
int id = 1;
string url = "https://department.mark43.com/partnerships/api/external/person/name_identifiers";
string json = @"[
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""nameIdentifier"": ""string"",
""nameIdentifierDescription"": ""string"",
""nameIdentifierType"": ""string"",
""organizationId"": 1,
""personId"": 1
}
]";
ExternalNameIdentifier content = JsonConvert.DeserializeObject(json);
var result = await PutAsync(id, content, url);
}
/// Performs a PUT Request
public async Task PutAsync(int id, ExternalNameIdentifier content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute PUT request
HttpResponseMessage response = await Client.PutAsync(url + $"/{id}", jsonContent);
//Return response
return await DeserializeObject(response);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalNameIdentifier content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
PUT /external/person/name_identifiers
Creates or updates the name identifiers for a person profile
Body parameter
[
{
"externalId": "string",
"externalSystem": "string",
"nameIdentifier": "string",
"nameIdentifierDescription": "string",
"nameIdentifierType": "string",
"organizationId": 1,
"personId": 1
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
person_profile_id | query | integer(int64) | true | Related Person Profile ID |
body | body | ExternalNameIdentifier | false | Person Name Identifiers to replace existing person name identifiers |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Search for Person Profiles
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/person/search \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/person/search");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/person/search',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/person/search', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/person/search HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/person/search', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"dateOfBirth": "2019-08-24",
"ethnicity": "string",
"firstName": "string",
"identifyingMarks": [
{
"externalId": "string",
"externalSystem": "string",
"identifyingMarkDescription": "string",
"identifyingMarkImage": {},
"identifyingMarkLocation": "string",
"identifyingMarkType": "string"
}
],
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseType": "string",
"personIdentifiers": {
"property1": "string",
"property2": "string"
},
"race": "string",
"ssn": "string",
"stateIdNumber": "string"
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/person/search',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/person/search", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/person/search";
string json = @"{
""dateOfBirth"": ""2019-08-24"",
""ethnicity"": ""string"",
""firstName"": ""string"",
""identifyingMarks"": [
{
""externalId"": ""string"",
""externalSystem"": ""string"",
""identifyingMarkDescription"": ""string"",
""identifyingMarkImage"": {},
""identifyingMarkLocation"": ""string"",
""identifyingMarkType"": ""string""
}
],
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseType"": ""string"",
""personIdentifiers"": {
""property1"": ""string"",
""property2"": ""string""
},
""race"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string""
}";
ExternalPersonSearchQuery content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalPersonSearchQuery content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalPersonSearchQuery content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/person/search
Retrieves master person profiles based on First and Last Names and one of the following: Date of Birth, Driver's License Number, Social Security Number, or Name Identifier. This endpoint does not utilize fuzzy searching.
Body parameter
{
"dateOfBirth": "2019-08-24",
"ethnicity": "string",
"firstName": "string",
"identifyingMarks": [
{
"externalId": "string",
"externalSystem": "string",
"identifyingMarkDescription": "string",
"identifyingMarkImage": {},
"identifyingMarkLocation": "string",
"identifyingMarkType": "string"
}
],
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseType": "string",
"personIdentifiers": {
"property1": "string",
"property2": "string"
},
"race": "string",
"ssn": "string",
"stateIdNumber": "string"
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
search_by_name | query | boolean | false | Search by Name and any of the following: Date of Birth, Driver's License Number, SSN, Name Identifier |
body | body | ExternalPersonSearchQuery | true | External person search query |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Person profile
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/person/{id} \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/person/{id}");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/person/{id}',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/person/{id}', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/person/{id} HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/person/{id}', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/person/{id}',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/person/{id}", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/person/{id}";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/person/{id}
Retrieve a person profile by id
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
id | path | integer(int64) | true | Mark43 ID of the person being requested |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
Report Endpoints
Report Endpoints
allow for the creation and retrieval of all standard Mark43 report types and agency-specific custom report types.
Report creation in Mark43 requires a nesting of object models.
The request body is an ExternalReport object
(or an array of ExternalReport objects when creating reports in bulk).
Then, depending on the type of report to be created, the appropriate external report type object
must be populated.
For example, when creating a Tow Vehicle Report, the request body is an ExternalReport object
with a populated ExternalTowVehicle object
.
Report type-specific objects are listed below with each creation endpoint.
For details on person, organization, item, and location object creation, see Additional Model Information.
POST: Retrieve Reports by Report IDs
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
0
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports
Retrieves a list of reports by Mark43 Report IDs.
Body parameter
[
0
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | array[integer] | true | List of Mark43 Report IDs to retrieve |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Arrest Report
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/arrest \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/arrest");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/arrest',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/arrest', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/arrest HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/arrest', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/arrest',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/arrest", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/arrest";
string json = @"{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{
""assistType"": ""string"",
""assistingOfficer"": {}
}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""arrestStatistics"": [
""string""
],
""arrestTactics"": [
""string""
],
""arrestType"": ""string"",
""arresteeArmedWith"": [
""string""
],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""bailAmount"": 0,
""charges"": [
{}
],
""codefendants"": [
{}
],
""complainantOrganizations"": [
{}
],
""complainantPeople"": [
{}
],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
},
""citationRecipientPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""citationStatistics"": [
""string""
],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {
""bailAmount"": 0,
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""judgeName"": ""string"",
""placeDetained"": ""string""
},
""customReportTypeName"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
]
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [
{}
],
""fieldContactOrganizations"": [
{}
],
""fieldContactSubjects"": [
{}
],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [
""string""
],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [
{}
],
""lastKnownLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""missingPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""witnesses"": [
{}
]
},
""externalOffenses"": [
{
""completed"": true,
""crimeInvestigationType"": ""string"",
""crimeInvestigationTypeCode"": ""string"",
""domesticViolence"": true,
""externalId"": ""string"",
""externalOffenseCode"": {},
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""offenseAttributes"": [],
""offenseCode"": ""string"",
""offenseDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseEndDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseLocation"": {},
""offenseOrder"": 0,
""offenseReportNumber"": ""string"",
""suspectedHateCrime"": true
}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [
""string""
],
""forceResultedInInjury"": true,
""locationOfStop"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [
{}
],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [
{}
],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {
""damageOnVehicle"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""insuranceInVehicle"": true,
""licenseInVehicle"": true,
""lotLocation"": ""string"",
""registrationInVehicle"": true,
""vehicleHeldAsEvidence"": true
},
""externalTowVehicleRelease"": {
""additionalNotes"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""releaseBy"": {},
""releaseDateUtc"": ""2019-08-24T14:15:22Z"",
""releaseType"": ""string"",
""releaseTypeOther"": ""string""
},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""towedVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [
{}
],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedVehicles"": [
{}
],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [
{}
],
""trafficCrashAttributes"": [
{}
],
""trafficCrashEntityDetails"": [
{}
],
""trafficCrashLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""trafficCrashPeople"": [
{}
],
""trafficCrashRoadways"": [
{}
],
""trafficCrashVehicles"": [
{}
],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{
""additionalDetails"": {},
""altered"": true,
""barcodeValues"": [],
""barrelLength"": 0,
""caliber"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""finish"": ""string"",
""firearmMake"": ""string"",
""grip"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""numberOfShots"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationNumber"": ""string"",
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""stock"": ""string"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedProfiles"": {
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
]
},
""involvedProperty"": [
{
""additionalDetails"": {},
""barcodeValues"": [],
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedVehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
}
],
""reportingPersons"": [
{
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [
{}
],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/arrest
Creates a single Arrest Report. Request body is an ExternalReport object with a populated ExternalArrest object. Arrest Reports can include an array of ExternalCharge objects with a subsequent option to add an ExternalWarrant object to each charge.
Body parameter
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Arrest Report to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Arrest Reports in Bulk
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/arrest/bulk \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/arrest/bulk");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/arrest/bulk',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/arrest/bulk', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/arrest/bulk HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/arrest/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/arrest/bulk',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/arrest/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/arrest/bulk";
string json = @"[
{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {},
""arrestStatistics"": [],
""arrestTactics"": [],
""arrestType"": ""string"",
""arresteeArmedWith"": [],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {},
""bailAmount"": 0,
""charges"": [],
""codefendants"": [],
""complainantOrganizations"": [],
""complainantPeople"": [],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {},
""citationRecipientPerson"": {},
""citationStatistics"": [],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {},
""customReportTypeName"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": []
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [],
""fieldContactOrganizations"": [],
""fieldContactSubjects"": [],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [],
""lastKnownLocation"": {},
""missingPerson"": {},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {},
""witnesses"": []
},
""externalOffenses"": [
{}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [],
""forceResultedInInjury"": true,
""locationOfStop"": {},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {},
""externalTowVehicleRelease"": {},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {},
""towedVehicle"": {},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedVehicles"": [],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [],
""trafficCrashAttributes"": [],
""trafficCrashEntityDetails"": [],
""trafficCrashLocation"": {},
""trafficCrashPeople"": [],
""trafficCrashRoadways"": [],
""trafficCrashVehicles"": [],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{}
],
""involvedProfiles"": {
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": []
},
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{}
],
""reportingPersons"": [
{}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}
]";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/arrest/bulk
Creates Arrest Reports in bulk quantities. Each ExternalReport object in the request body requires a populated ExternalArrest object. Arrest Reports can include an array of ExternalCharge objects with a subsequent option to add an ExternalWarrant object to each charge.
Body parameter
[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
legacy | query | boolean | false | True if report originated in a non-Mark43 system |
body | body | ExternalReport | true | Arrest Reports to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Arrest Reports by Arrest Numbers
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/arrests?arrest_numbers=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/arrests?arrest_numbers=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/arrests',
params: {
'arrest_numbers' => 'array[string]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/arrests', params={
'arrest_numbers': [
"string"
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/arrests?arrest_numbers=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/arrests', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/arrests?arrest_numbers=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/arrests", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/arrests";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/arrests
Retrieves reports by their associated arrest numbers (localId).
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
arrest_numbers | query | array[string] | true | Arrest numbers of reports to be retrieved |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Reports
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/bulk?report_types=ARREST&range_start_utc=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/bulk?report_types=ARREST&range_start_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/bulk',
params: {
'report_types' => 'array[string]',
'range_start_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/bulk', params={
'report_types': [
"ARREST"
], 'range_start_utc': 'string'
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/bulk?report_types=ARREST&range_start_utc=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/bulk?report_types=ARREST&range_start_utc=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/bulk";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/bulk
Retrieves a list of Mark43 report types updated within a specified date/time range.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
report_types | query | array[string] | true | Types of reports to be exported |
approval_statuses | query | array[string] | false | Approval statuses of the reports |
range_start_utc | query | string | true | Start of date/time range for updated reports in UTC |
range_end_utc | query | string | false | End of date/time range for updated reports in UTC |
custom_report_types | query | array[string] | false | Names of Custom Report Types to be exported, required if report_types parameter contains "CUSTOM" |
Allowable Values
Parameter | Value |
---|---|
report_types | ARREST |
report_types | CITATION |
report_types | CUSTODIAL_PROPERTY |
report_types | CUSTOM |
report_types | FIELD_CONTACT |
report_types | IMPOUND |
report_types | MISSING_PERSONS |
report_types | OFFENSE |
report_types | SUPPLEMENT |
report_types | TOW_VEHICLE |
report_types | TRAFFIC_CRASH |
report_types | USE_OF_FORCE |
approval_statuses | DRAFT |
approval_statuses | SUBMITTED |
approval_statuses | APPROVED |
approval_statuses | COMPLETED |
approval_statuses | REJECTED |
approval_statuses | STAFF_REJECTED |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Reports by REN
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event?reporting_event_numbers=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event?reporting_event_numbers=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event',
params: {
'reporting_event_numbers' => 'array[string]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event', params={
'reporting_event_numbers': [
"string"
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event?reporting_event_numbers=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event?reporting_event_numbers=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/bulk/reporting_event
Retrieves a list of reports by Reporting Event Numbers (RENs).
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
reporting_event_numbers | query | array[string] | true | List of Reporting Event Numbers to be returned |
report_types | query | array[string] | false | Types of reports to be exported |
custom_report_types | query | array[string] | false | Names of Custom Report Types to be exported, required if report_types parameter contains "CUSTOM" |
Allowable Values
Parameter | Value |
---|---|
report_types | ARREST |
report_types | CITATION |
report_types | CUSTODIAL_PROPERTY |
report_types | CUSTOM |
report_types | FIELD_CONTACT |
report_types | IMPOUND |
report_types | MISSING_PERSONS |
report_types | OFFENSE |
report_types | SUPPLEMENT |
report_types | TOW_VEHICLE |
report_types | TRAFFIC_CRASH |
report_types | USE_OF_FORCE |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Reports with CAD Tickets by REN
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event/with_cad_tickets?reporting_event_numbers=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event/with_cad_tickets?reporting_event_numbers=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event/with_cad_tickets',
params: {
'reporting_event_numbers' => 'array[string]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event/with_cad_tickets', params={
'reporting_event_numbers': [
"string"
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event/with_cad_tickets?reporting_event_numbers=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event/with_cad_tickets', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event/with_cad_tickets?reporting_event_numbers=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event/with_cad_tickets", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/bulk/reporting_event/with_cad_tickets";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/bulk/reporting_event/with_cad_tickets
Retrieves a list of reports and associated CAD tickets by Reporting Event Numbers (RENs).
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
reporting_event_numbers | query | array[string] | true | List of Reporting Event Numbers to be returned |
report_types | query | array[string] | false | Types of reports to be exported |
custom_report_types | query | array[string] | false | Names of Custom Report Types to be exported, required if report_types parameter contains "CUSTOM" |
Allowable Values
Parameter | Value |
---|---|
report_types | ARREST |
report_types | CITATION |
report_types | CUSTODIAL_PROPERTY |
report_types | CUSTOM |
report_types | FIELD_CONTACT |
report_types | IMPOUND |
report_types | MISSING_PERSONS |
report_types | OFFENSE |
report_types | SUPPLEMENT |
report_types | TOW_VEHICLE |
report_types | TRAFFIC_CRASH |
report_types | USE_OF_FORCE |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Citation Report
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/citation \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/citation");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/citation',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/citation', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/citation HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/citation', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/citation',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/citation", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/citation";
string json = @"{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{
""assistType"": ""string"",
""assistingOfficer"": {}
}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""arrestStatistics"": [
""string""
],
""arrestTactics"": [
""string""
],
""arrestType"": ""string"",
""arresteeArmedWith"": [
""string""
],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""bailAmount"": 0,
""charges"": [
{}
],
""codefendants"": [
{}
],
""complainantOrganizations"": [
{}
],
""complainantPeople"": [
{}
],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
},
""citationRecipientPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""citationStatistics"": [
""string""
],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {
""bailAmount"": 0,
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""judgeName"": ""string"",
""placeDetained"": ""string""
},
""customReportTypeName"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
]
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [
{}
],
""fieldContactOrganizations"": [
{}
],
""fieldContactSubjects"": [
{}
],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [
""string""
],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [
{}
],
""lastKnownLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""missingPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""witnesses"": [
{}
]
},
""externalOffenses"": [
{
""completed"": true,
""crimeInvestigationType"": ""string"",
""crimeInvestigationTypeCode"": ""string"",
""domesticViolence"": true,
""externalId"": ""string"",
""externalOffenseCode"": {},
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""offenseAttributes"": [],
""offenseCode"": ""string"",
""offenseDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseEndDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseLocation"": {},
""offenseOrder"": 0,
""offenseReportNumber"": ""string"",
""suspectedHateCrime"": true
}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [
""string""
],
""forceResultedInInjury"": true,
""locationOfStop"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [
{}
],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [
{}
],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {
""damageOnVehicle"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""insuranceInVehicle"": true,
""licenseInVehicle"": true,
""lotLocation"": ""string"",
""registrationInVehicle"": true,
""vehicleHeldAsEvidence"": true
},
""externalTowVehicleRelease"": {
""additionalNotes"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""releaseBy"": {},
""releaseDateUtc"": ""2019-08-24T14:15:22Z"",
""releaseType"": ""string"",
""releaseTypeOther"": ""string""
},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""towedVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [
{}
],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedVehicles"": [
{}
],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [
{}
],
""trafficCrashAttributes"": [
{}
],
""trafficCrashEntityDetails"": [
{}
],
""trafficCrashLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""trafficCrashPeople"": [
{}
],
""trafficCrashRoadways"": [
{}
],
""trafficCrashVehicles"": [
{}
],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{
""additionalDetails"": {},
""altered"": true,
""barcodeValues"": [],
""barrelLength"": 0,
""caliber"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""finish"": ""string"",
""firearmMake"": ""string"",
""grip"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""numberOfShots"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationNumber"": ""string"",
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""stock"": ""string"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedProfiles"": {
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
]
},
""involvedProperty"": [
{
""additionalDetails"": {},
""barcodeValues"": [],
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedVehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
}
],
""reportingPersons"": [
{
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [
{}
],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/citation
Creates a single Citation Report. Request body is an ExternalReport object with a populated ExternalCitation object.
Body parameter
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Citation Report to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Citation Reports in Bulk
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/citation/bulk \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/citation/bulk");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/citation/bulk',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/citation/bulk', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/citation/bulk HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/citation/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/citation/bulk',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/citation/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/citation/bulk";
string json = @"[
{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {},
""arrestStatistics"": [],
""arrestTactics"": [],
""arrestType"": ""string"",
""arresteeArmedWith"": [],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {},
""bailAmount"": 0,
""charges"": [],
""codefendants"": [],
""complainantOrganizations"": [],
""complainantPeople"": [],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {},
""citationRecipientPerson"": {},
""citationStatistics"": [],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {},
""customReportTypeName"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": []
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [],
""fieldContactOrganizations"": [],
""fieldContactSubjects"": [],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [],
""lastKnownLocation"": {},
""missingPerson"": {},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {},
""witnesses"": []
},
""externalOffenses"": [
{}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [],
""forceResultedInInjury"": true,
""locationOfStop"": {},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {},
""externalTowVehicleRelease"": {},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {},
""towedVehicle"": {},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedVehicles"": [],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [],
""trafficCrashAttributes"": [],
""trafficCrashEntityDetails"": [],
""trafficCrashLocation"": {},
""trafficCrashPeople"": [],
""trafficCrashRoadways"": [],
""trafficCrashVehicles"": [],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{}
],
""involvedProfiles"": {
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": []
},
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{}
],
""reportingPersons"": [
{}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}
]";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/citation/bulk
Creates Citation Reports in bulk quantities. Each ExternalReport object in the request body requires a populated ExternalCitation object.
Body parameter
[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Citation Reports to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Court Case Information
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/court_case/report_id \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/court_case/report_id");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/court_case/report_id',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/court_case/report_id', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/court_case/report_id HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/court_case/report_id', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/court_case/report_id',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/court_case/report_id", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/court_case/report_id";
string json = @"{
""bailAmount"": 0,
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""judgeName"": ""string"",
""placeDetained"": ""string""
}";
ExternalCourtCase content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalCourtCase content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalCourtCase content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/court_case/report_id
Creates or updates the Court Case Information card on a report.
Body parameter
{
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
report_id | query | integer(int64) | false | Mark43 Report ID of the report being updated |
body | body | ExternalCourtCase | false | Court case information |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Custom Report
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/custom?report_type=string \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/custom?report_type=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/custom',
params: {
'report_type' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/custom', params={
'report_type': 'string'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/custom?report_type=string HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/custom', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/custom?report_type=string',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/custom", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/custom";
string json = @"{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{
""assistType"": ""string"",
""assistingOfficer"": {}
}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""arrestStatistics"": [
""string""
],
""arrestTactics"": [
""string""
],
""arrestType"": ""string"",
""arresteeArmedWith"": [
""string""
],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""bailAmount"": 0,
""charges"": [
{}
],
""codefendants"": [
{}
],
""complainantOrganizations"": [
{}
],
""complainantPeople"": [
{}
],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
},
""citationRecipientPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""citationStatistics"": [
""string""
],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {
""bailAmount"": 0,
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""judgeName"": ""string"",
""placeDetained"": ""string""
},
""customReportTypeName"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
]
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [
{}
],
""fieldContactOrganizations"": [
{}
],
""fieldContactSubjects"": [
{}
],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [
""string""
],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [
{}
],
""lastKnownLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""missingPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""witnesses"": [
{}
]
},
""externalOffenses"": [
{
""completed"": true,
""crimeInvestigationType"": ""string"",
""crimeInvestigationTypeCode"": ""string"",
""domesticViolence"": true,
""externalId"": ""string"",
""externalOffenseCode"": {},
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""offenseAttributes"": [],
""offenseCode"": ""string"",
""offenseDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseEndDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseLocation"": {},
""offenseOrder"": 0,
""offenseReportNumber"": ""string"",
""suspectedHateCrime"": true
}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [
""string""
],
""forceResultedInInjury"": true,
""locationOfStop"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [
{}
],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [
{}
],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {
""damageOnVehicle"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""insuranceInVehicle"": true,
""licenseInVehicle"": true,
""lotLocation"": ""string"",
""registrationInVehicle"": true,
""vehicleHeldAsEvidence"": true
},
""externalTowVehicleRelease"": {
""additionalNotes"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""releaseBy"": {},
""releaseDateUtc"": ""2019-08-24T14:15:22Z"",
""releaseType"": ""string"",
""releaseTypeOther"": ""string""
},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""towedVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [
{}
],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedVehicles"": [
{}
],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [
{}
],
""trafficCrashAttributes"": [
{}
],
""trafficCrashEntityDetails"": [
{}
],
""trafficCrashLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""trafficCrashPeople"": [
{}
],
""trafficCrashRoadways"": [
{}
],
""trafficCrashVehicles"": [
{}
],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{
""additionalDetails"": {},
""altered"": true,
""barcodeValues"": [],
""barrelLength"": 0,
""caliber"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""finish"": ""string"",
""firearmMake"": ""string"",
""grip"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""numberOfShots"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationNumber"": ""string"",
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""stock"": ""string"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedProfiles"": {
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
]
},
""involvedProperty"": [
{
""additionalDetails"": {},
""barcodeValues"": [],
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedVehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
}
],
""reportingPersons"": [
{
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [
{}
],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/custom
Creates a single, agency-configured custom report type. Request body is an ExternalReport object with a populated ExternalCustomFields object.
Body parameter
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
report_type | query | string | true | Name of agency-configured custom report type |
body | body | ExternalReport | true | Custom report to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Custom Reports in Bulk
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/custom/bulk?report_type=string \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/custom/bulk?report_type=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/custom/bulk',
params: {
'report_type' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/custom/bulk', params={
'report_type': 'string'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/custom/bulk?report_type=string HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/custom/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/custom/bulk?report_type=string',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/custom/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/custom/bulk";
string json = @"[
{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {},
""arrestStatistics"": [],
""arrestTactics"": [],
""arrestType"": ""string"",
""arresteeArmedWith"": [],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {},
""bailAmount"": 0,
""charges"": [],
""codefendants"": [],
""complainantOrganizations"": [],
""complainantPeople"": [],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {},
""citationRecipientPerson"": {},
""citationStatistics"": [],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {},
""customReportTypeName"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": []
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [],
""fieldContactOrganizations"": [],
""fieldContactSubjects"": [],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [],
""lastKnownLocation"": {},
""missingPerson"": {},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {},
""witnesses"": []
},
""externalOffenses"": [
{}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [],
""forceResultedInInjury"": true,
""locationOfStop"": {},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {},
""externalTowVehicleRelease"": {},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {},
""towedVehicle"": {},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedVehicles"": [],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [],
""trafficCrashAttributes"": [],
""trafficCrashEntityDetails"": [],
""trafficCrashLocation"": {},
""trafficCrashPeople"": [],
""trafficCrashRoadways"": [],
""trafficCrashVehicles"": [],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{}
],
""involvedProfiles"": {
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": []
},
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{}
],
""reportingPersons"": [
{}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}
]";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/custom/bulk
Creates agency-configured custom report types in bulk quantities. Each ExternalReport object in the request body requires a populated ExternalCustomFields object.
Body parameter
[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
report_type | query | string | true | Name of agency-configured custom report type |
body | body | ExternalReport | true | Custom reports to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Deleted, Expunged, Sealed Reports
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/deleted_or_sealed?range_start_utc=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/deleted_or_sealed?range_start_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/deleted_or_sealed',
params: {
'range_start_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/deleted_or_sealed', params={
'range_start_utc': 'string'
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/deleted_or_sealed?range_start_utc=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/deleted_or_sealed', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/deleted_or_sealed?range_start_utc=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/deleted_or_sealed", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/deleted_or_sealed";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/deleted_or_sealed
Retrieves reports that have been deleted, expunged, or sealed within a given date/time range.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
range_start_utc | query | string | true | Start of expunged/sealed date/time range in UTC |
range_end_utc | query | string | false | End of expunged/sealed date/time range in UTC |
check_expunged_people | query | boolean | false | Whether or not to check for expunged people tied to reports |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Field Contact Report
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/field_contact \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/field_contact");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/field_contact',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/field_contact', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/field_contact HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/field_contact', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/field_contact',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/field_contact", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/field_contact";
string json = @"{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{
""assistType"": ""string"",
""assistingOfficer"": {}
}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""arrestStatistics"": [
""string""
],
""arrestTactics"": [
""string""
],
""arrestType"": ""string"",
""arresteeArmedWith"": [
""string""
],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""bailAmount"": 0,
""charges"": [
{}
],
""codefendants"": [
{}
],
""complainantOrganizations"": [
{}
],
""complainantPeople"": [
{}
],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
},
""citationRecipientPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""citationStatistics"": [
""string""
],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {
""bailAmount"": 0,
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""judgeName"": ""string"",
""placeDetained"": ""string""
},
""customReportTypeName"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
]
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [
{}
],
""fieldContactOrganizations"": [
{}
],
""fieldContactSubjects"": [
{}
],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [
""string""
],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [
{}
],
""lastKnownLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""missingPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""witnesses"": [
{}
]
},
""externalOffenses"": [
{
""completed"": true,
""crimeInvestigationType"": ""string"",
""crimeInvestigationTypeCode"": ""string"",
""domesticViolence"": true,
""externalId"": ""string"",
""externalOffenseCode"": {},
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""offenseAttributes"": [],
""offenseCode"": ""string"",
""offenseDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseEndDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseLocation"": {},
""offenseOrder"": 0,
""offenseReportNumber"": ""string"",
""suspectedHateCrime"": true
}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [
""string""
],
""forceResultedInInjury"": true,
""locationOfStop"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [
{}
],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [
{}
],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {
""damageOnVehicle"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""insuranceInVehicle"": true,
""licenseInVehicle"": true,
""lotLocation"": ""string"",
""registrationInVehicle"": true,
""vehicleHeldAsEvidence"": true
},
""externalTowVehicleRelease"": {
""additionalNotes"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""releaseBy"": {},
""releaseDateUtc"": ""2019-08-24T14:15:22Z"",
""releaseType"": ""string"",
""releaseTypeOther"": ""string""
},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""towedVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [
{}
],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedVehicles"": [
{}
],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [
{}
],
""trafficCrashAttributes"": [
{}
],
""trafficCrashEntityDetails"": [
{}
],
""trafficCrashLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""trafficCrashPeople"": [
{}
],
""trafficCrashRoadways"": [
{}
],
""trafficCrashVehicles"": [
{}
],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{
""additionalDetails"": {},
""altered"": true,
""barcodeValues"": [],
""barrelLength"": 0,
""caliber"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""finish"": ""string"",
""firearmMake"": ""string"",
""grip"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""numberOfShots"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationNumber"": ""string"",
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""stock"": ""string"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedProfiles"": {
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
]
},
""involvedProperty"": [
{
""additionalDetails"": {},
""barcodeValues"": [],
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedVehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
}
],
""reportingPersons"": [
{
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [
{}
],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/field_contact
Creates a single Field Contact Report. Request body is an ExternalReport object with a populated ExternalFieldContact object.
Body parameter
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Field Contact Report to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Field Contact Reports in Bulk
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/field_contact/bulk \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/field_contact/bulk");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/field_contact/bulk',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/field_contact/bulk', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/field_contact/bulk HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/field_contact/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/field_contact/bulk',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/field_contact/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/field_contact/bulk";
string json = @"[
{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {},
""arrestStatistics"": [],
""arrestTactics"": [],
""arrestType"": ""string"",
""arresteeArmedWith"": [],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {},
""bailAmount"": 0,
""charges"": [],
""codefendants"": [],
""complainantOrganizations"": [],
""complainantPeople"": [],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {},
""citationRecipientPerson"": {},
""citationStatistics"": [],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {},
""customReportTypeName"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": []
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [],
""fieldContactOrganizations"": [],
""fieldContactSubjects"": [],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [],
""lastKnownLocation"": {},
""missingPerson"": {},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {},
""witnesses"": []
},
""externalOffenses"": [
{}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [],
""forceResultedInInjury"": true,
""locationOfStop"": {},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {},
""externalTowVehicleRelease"": {},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {},
""towedVehicle"": {},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedVehicles"": [],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [],
""trafficCrashAttributes"": [],
""trafficCrashEntityDetails"": [],
""trafficCrashLocation"": {},
""trafficCrashPeople"": [],
""trafficCrashRoadways"": [],
""trafficCrashVehicles"": [],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{}
],
""involvedProfiles"": {
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": []
},
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{}
],
""reportingPersons"": [
{}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}
]";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/field_contact/bulk
Creates Field Contact Reports in bulk quantities. Each ExternalReport object in the request body requires a populated ExternalFieldContact object.
Body parameter
[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Field Contact Reports to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Report History of Changes
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/histories?remove_history_prior_to_submission=false \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/histories?remove_history_prior_to_submission=false");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/histories',
params: {
'remove_history_prior_to_submission' => 'boolean'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/histories', params={
'remove_history_prior_to_submission': 'false'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/histories?remove_history_prior_to_submission=false HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/histories', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
0
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/histories?remove_history_prior_to_submission=false',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/histories", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/histories";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/histories
Returns either all report history or all history after the first submission
Body parameter
[
0
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
remove_history_prior_to_submission | query | boolean | true | Approval status after which history should be retrieved |
body | body | array[integer] | true | List of Mark43 Report IDs to retrieve |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Reports with Routing Label
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/label?routing_label=string&range_start_utc=string&range_end_utc=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/label?routing_label=string&range_start_utc=string&range_end_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/label',
params: {
'routing_label' => 'array[string]',
'range_start_utc' => 'string',
'range_end_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/label', params={
'routing_label': [
"string"
], 'range_start_utc': 'string', 'range_end_utc': 'string'
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/label?routing_label=string&range_start_utc=string&range_end_utc=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/label', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/label?routing_label=string&range_start_utc=string&range_end_utc=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/label", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/label";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/label
Retrieves reports with a routing label that was applied within a given date/time range.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
routing_label | query | array[string] | true | Display abbreviation of Routing Label Attribute |
range_start_utc | query | string | true | Start date/time range of when label was applied in UTC |
range_end_utc | query | string | true | End date/time range of when label was applied in UTC |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Legacy Entity Detail
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/legacy_entity_details \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/legacy_entity_details");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/legacy_entity_details',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/legacy_entity_details', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/legacy_entity_details HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/legacy_entity_details', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"property1": "string",
"property2": "string"
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/legacy_entity_details',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/legacy_entity_details", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/legacy_entity_details";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/legacy_entity_details
Creates legacy entity details on a report
Body parameter
{
"property1": "string",
"property2": "string"
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
report_id | query | integer(int64) | false | The Mark43 Report ID for the report being updated |
body | body | object | false | The legacy entity details to be created with name as key and detail as value |
» additionalProperties | body | string | false | none |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Retrieve Reports by Arrest Lockup Numbers
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/lockup_number/bulk \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/lockup_number/bulk");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/lockup_number/bulk',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/lockup_number/bulk', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/lockup_number/bulk HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/lockup_number/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
"string"
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/lockup_number/bulk',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/lockup_number/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/lockup_number/bulk";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/lockup_number/bulk
Retrieves a list of reports by arrest lockup numbers.
Body parameter
[
"string"
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | array[string] | true | List of Mark43 arrest lockup numbers to retrieve reports by |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Missing Person Report
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/missing_person \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/missing_person");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/missing_person',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/missing_person', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/missing_person HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/missing_person', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/missing_person',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/missing_person", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/missing_person";
string json = @"{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{
""assistType"": ""string"",
""assistingOfficer"": {}
}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""arrestStatistics"": [
""string""
],
""arrestTactics"": [
""string""
],
""arrestType"": ""string"",
""arresteeArmedWith"": [
""string""
],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""bailAmount"": 0,
""charges"": [
{}
],
""codefendants"": [
{}
],
""complainantOrganizations"": [
{}
],
""complainantPeople"": [
{}
],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
},
""citationRecipientPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""citationStatistics"": [
""string""
],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {
""bailAmount"": 0,
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""judgeName"": ""string"",
""placeDetained"": ""string""
},
""customReportTypeName"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
]
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [
{}
],
""fieldContactOrganizations"": [
{}
],
""fieldContactSubjects"": [
{}
],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [
""string""
],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [
{}
],
""lastKnownLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""missingPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""witnesses"": [
{}
]
},
""externalOffenses"": [
{
""completed"": true,
""crimeInvestigationType"": ""string"",
""crimeInvestigationTypeCode"": ""string"",
""domesticViolence"": true,
""externalId"": ""string"",
""externalOffenseCode"": {},
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""offenseAttributes"": [],
""offenseCode"": ""string"",
""offenseDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseEndDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseLocation"": {},
""offenseOrder"": 0,
""offenseReportNumber"": ""string"",
""suspectedHateCrime"": true
}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [
""string""
],
""forceResultedInInjury"": true,
""locationOfStop"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [
{}
],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [
{}
],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {
""damageOnVehicle"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""insuranceInVehicle"": true,
""licenseInVehicle"": true,
""lotLocation"": ""string"",
""registrationInVehicle"": true,
""vehicleHeldAsEvidence"": true
},
""externalTowVehicleRelease"": {
""additionalNotes"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""releaseBy"": {},
""releaseDateUtc"": ""2019-08-24T14:15:22Z"",
""releaseType"": ""string"",
""releaseTypeOther"": ""string""
},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""towedVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [
{}
],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedVehicles"": [
{}
],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [
{}
],
""trafficCrashAttributes"": [
{}
],
""trafficCrashEntityDetails"": [
{}
],
""trafficCrashLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""trafficCrashPeople"": [
{}
],
""trafficCrashRoadways"": [
{}
],
""trafficCrashVehicles"": [
{}
],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{
""additionalDetails"": {},
""altered"": true,
""barcodeValues"": [],
""barrelLength"": 0,
""caliber"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""finish"": ""string"",
""firearmMake"": ""string"",
""grip"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""numberOfShots"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationNumber"": ""string"",
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""stock"": ""string"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedProfiles"": {
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
]
},
""involvedProperty"": [
{
""additionalDetails"": {},
""barcodeValues"": [],
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedVehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
}
],
""reportingPersons"": [
{
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [
{}
],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/missing_person
Creates a single Missing Person Report. Request body is an ExternalReport object with a populated ExternalMissingPerson object.
Body parameter
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Missing Person report to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Missing Person Report in Bulk
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/missing_person/bulk \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/missing_person/bulk");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/missing_person/bulk',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/missing_person/bulk', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/missing_person/bulk HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/missing_person/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/missing_person/bulk',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/missing_person/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/missing_person/bulk";
string json = @"[
{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {},
""arrestStatistics"": [],
""arrestTactics"": [],
""arrestType"": ""string"",
""arresteeArmedWith"": [],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {},
""bailAmount"": 0,
""charges"": [],
""codefendants"": [],
""complainantOrganizations"": [],
""complainantPeople"": [],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {},
""citationRecipientPerson"": {},
""citationStatistics"": [],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {},
""customReportTypeName"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": []
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [],
""fieldContactOrganizations"": [],
""fieldContactSubjects"": [],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [],
""lastKnownLocation"": {},
""missingPerson"": {},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {},
""witnesses"": []
},
""externalOffenses"": [
{}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [],
""forceResultedInInjury"": true,
""locationOfStop"": {},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {},
""externalTowVehicleRelease"": {},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {},
""towedVehicle"": {},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedVehicles"": [],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [],
""trafficCrashAttributes"": [],
""trafficCrashEntityDetails"": [],
""trafficCrashLocation"": {},
""trafficCrashPeople"": [],
""trafficCrashRoadways"": [],
""trafficCrashVehicles"": [],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{}
],
""involvedProfiles"": {
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": []
},
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{}
],
""reportingPersons"": [
{}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}
]";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/missing_person/bulk
Creates Missing Person Reports in bulk. Request body is a collection of ExternalReport objects with populated ExternalMissingPerson objects.
Body parameter
[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Missing Person reports to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Offense/Incident Report
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/offense \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/offense");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/offense',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/offense', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/offense HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/offense', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/offense',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/offense", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/offense";
string json = @"{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{
""assistType"": ""string"",
""assistingOfficer"": {}
}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""arrestStatistics"": [
""string""
],
""arrestTactics"": [
""string""
],
""arrestType"": ""string"",
""arresteeArmedWith"": [
""string""
],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""bailAmount"": 0,
""charges"": [
{}
],
""codefendants"": [
{}
],
""complainantOrganizations"": [
{}
],
""complainantPeople"": [
{}
],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
},
""citationRecipientPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""citationStatistics"": [
""string""
],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {
""bailAmount"": 0,
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""judgeName"": ""string"",
""placeDetained"": ""string""
},
""customReportTypeName"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
]
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [
{}
],
""fieldContactOrganizations"": [
{}
],
""fieldContactSubjects"": [
{}
],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [
""string""
],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [
{}
],
""lastKnownLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""missingPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""witnesses"": [
{}
]
},
""externalOffenses"": [
{
""completed"": true,
""crimeInvestigationType"": ""string"",
""crimeInvestigationTypeCode"": ""string"",
""domesticViolence"": true,
""externalId"": ""string"",
""externalOffenseCode"": {},
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""offenseAttributes"": [],
""offenseCode"": ""string"",
""offenseDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseEndDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseLocation"": {},
""offenseOrder"": 0,
""offenseReportNumber"": ""string"",
""suspectedHateCrime"": true
}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [
""string""
],
""forceResultedInInjury"": true,
""locationOfStop"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [
{}
],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [
{}
],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {
""damageOnVehicle"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""insuranceInVehicle"": true,
""licenseInVehicle"": true,
""lotLocation"": ""string"",
""registrationInVehicle"": true,
""vehicleHeldAsEvidence"": true
},
""externalTowVehicleRelease"": {
""additionalNotes"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""releaseBy"": {},
""releaseDateUtc"": ""2019-08-24T14:15:22Z"",
""releaseType"": ""string"",
""releaseTypeOther"": ""string""
},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""towedVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [
{}
],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedVehicles"": [
{}
],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [
{}
],
""trafficCrashAttributes"": [
{}
],
""trafficCrashEntityDetails"": [
{}
],
""trafficCrashLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""trafficCrashPeople"": [
{}
],
""trafficCrashRoadways"": [
{}
],
""trafficCrashVehicles"": [
{}
],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{
""additionalDetails"": {},
""altered"": true,
""barcodeValues"": [],
""barrelLength"": 0,
""caliber"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""finish"": ""string"",
""firearmMake"": ""string"",
""grip"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""numberOfShots"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationNumber"": ""string"",
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""stock"": ""string"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedProfiles"": {
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
]
},
""involvedProperty"": [
{
""additionalDetails"": {},
""barcodeValues"": [],
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedVehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
}
],
""reportingPersons"": [
{
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [
{}
],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/offense
Creates a single Offense/Incident Report. The request body is an ExternalReport object with a populated ExternalOffense object.
Body parameter
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Offense/Incident Report to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Offense/Incident Reports in Bulk
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/offense/bulk \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/offense/bulk");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/offense/bulk',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/offense/bulk', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/offense/bulk HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/offense/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/offense/bulk',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/offense/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/offense/bulk";
string json = @"[
{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {},
""arrestStatistics"": [],
""arrestTactics"": [],
""arrestType"": ""string"",
""arresteeArmedWith"": [],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {},
""bailAmount"": 0,
""charges"": [],
""codefendants"": [],
""complainantOrganizations"": [],
""complainantPeople"": [],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {},
""citationRecipientPerson"": {},
""citationStatistics"": [],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {},
""customReportTypeName"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": []
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [],
""fieldContactOrganizations"": [],
""fieldContactSubjects"": [],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [],
""lastKnownLocation"": {},
""missingPerson"": {},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {},
""witnesses"": []
},
""externalOffenses"": [
{}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [],
""forceResultedInInjury"": true,
""locationOfStop"": {},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {},
""externalTowVehicleRelease"": {},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {},
""towedVehicle"": {},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedVehicles"": [],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [],
""trafficCrashAttributes"": [],
""trafficCrashEntityDetails"": [],
""trafficCrashLocation"": {},
""trafficCrashPeople"": [],
""trafficCrashRoadways"": [],
""trafficCrashVehicles"": [],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{}
],
""involvedProfiles"": {
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": []
},
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{}
],
""reportingPersons"": [
{}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}
]";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/offense/bulk
Creates Offense/Incident Reports in bulk quantities. Each ExternalReport object in the request body requires a populated ExternalOffense object.
Body parameter
[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Offense/Incident Reports to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Retrieve Reports by Type and Record Number
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/record_number/bulk?report_type=ARREST \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/record_number/bulk?report_type=ARREST");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/record_number/bulk',
params: {
'report_type' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/record_number/bulk', params={
'report_type': 'ARREST'
}, headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/record_number/bulk?report_type=ARREST HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/record_number/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
"string"
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/record_number/bulk?report_type=ARREST',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/record_number/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/record_number/bulk";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/record_number/bulk
Retrieves a list of reports by type and Record Numbers.
Body parameter
[
"string"
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
report_type | query | string | true | Report type |
custom_report_type_name | query | string | false | Name of Custom Report Type to be exported, if report_type parameter is CUSTOM |
body | body | array[string] | true | List of Mark43 Record Numbers to retrieve |
Allowable Values
Parameter | Value |
---|---|
report_type | ARREST |
report_type | CITATION |
report_type | CUSTODIAL_PROPERTY |
report_type | CUSTOM |
report_type | FIELD_CONTACT |
report_type | IMPOUND |
report_type | MISSING_PERSONS |
report_type | OFFENSE |
report_type | SUPPLEMENT |
report_type | TOW_VEHICLE |
report_type | TRAFFIC_CRASH |
report_type | USE_OF_FORCE |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: PDF Exports for Reports
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/release \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/release");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/release',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/release', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/release HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/release', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"approvalStatuses": [
"DRAFT"
],
"combineReportsWithSameRenIntoOneExport": true,
"customReportTypes": [
"string"
],
"exportReleasedToCode": "string",
"forceReExportEvenIfReportNotUpdatedSinceLastExport": true,
"includeAddendums": true,
"includeAttachmentsInZipFile": true,
"includeConfidentialInformation": true,
"includeHistory": true,
"mergeAttachmentsIntoPdf": true,
"namesOfReportDefinitionsToExclude": [
"string"
],
"onlyIncludeFieldsWithData": true,
"printingTemplateName": "string",
"rangeEndUtc": "2019-08-24T14:15:22Z",
"rangeStartUtc": "2019-08-24T14:15:22Z",
"recordNumbers": [
"string"
],
"reportTypes": [
"ARREST"
],
"reportingEventNumbers": [
"string"
]
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/release',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/release", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/release";
string json = @"{
""approvalStatuses"": [
""DRAFT""
],
""combineReportsWithSameRenIntoOneExport"": true,
""customReportTypes"": [
""string""
],
""exportReleasedToCode"": ""string"",
""forceReExportEvenIfReportNotUpdatedSinceLastExport"": true,
""includeAddendums"": true,
""includeAttachmentsInZipFile"": true,
""includeConfidentialInformation"": true,
""includeHistory"": true,
""mergeAttachmentsIntoPdf"": true,
""namesOfReportDefinitionsToExclude"": [
""string""
],
""onlyIncludeFieldsWithData"": true,
""printingTemplateName"": ""string"",
""rangeEndUtc"": ""2019-08-24T14:15:22Z"",
""rangeStartUtc"": ""2019-08-24T14:15:22Z"",
""recordNumbers"": [
""string""
],
""reportTypes"": [
""ARREST""
],
""reportingEventNumbers"": [
""string""
]
}";
ExternalReportExportRequest content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReportExportRequest content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReportExportRequest content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/release
Creates PDF export files for reports within a given range. As PDF export files are created asynchronously, the file ID and file path may not be populated in the response from this call. Subsequent calls to GET external/reports/released will return file ID and file path data.
Body parameter
{
"approvalStatuses": [
"DRAFT"
],
"combineReportsWithSameRenIntoOneExport": true,
"customReportTypes": [
"string"
],
"exportReleasedToCode": "string",
"forceReExportEvenIfReportNotUpdatedSinceLastExport": true,
"includeAddendums": true,
"includeAttachmentsInZipFile": true,
"includeConfidentialInformation": true,
"includeHistory": true,
"mergeAttachmentsIntoPdf": true,
"namesOfReportDefinitionsToExclude": [
"string"
],
"onlyIncludeFieldsWithData": true,
"printingTemplateName": "string",
"rangeEndUtc": "2019-08-24T14:15:22Z",
"rangeStartUtc": "2019-08-24T14:15:22Z",
"recordNumbers": [
"string"
],
"reportTypes": [
"ARREST"
],
"reportingEventNumbers": [
"string"
]
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReportExportRequest | true | Input specifying the parameters to identify the reports for which export releases will be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Released Reports/Cases
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/released?range_start_utc=string&export_released_to=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/released?range_start_utc=string&export_released_to=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/released',
params: {
'range_start_utc' => 'string',
'export_released_to' => 'array[string]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/released', params={
'range_start_utc': 'string', 'export_released_to': [
"string"
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/released?range_start_utc=string&export_released_to=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/released', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/released?range_start_utc=string&export_released_to=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/released", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/released";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/released
Retrieves a list of reports and/or cases that have been released within a specified date/time range, by release type.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
range_start_utc | query | string | true | Start of updated date/time range in UTC |
range_end_utc | query | string | false | End of updated date/time range in UTC |
date_range_type | query | string | false | Type of date range to search by |
export_released_to | query | array[string] | true | The release type to be exported (corresponds to EXPORT_RELEASED_TO attribute type) |
record_type | query | array[string] | false | The record types of released entities to include in output |
include_file_bytes | query | boolean | false | Whether or not the file attachment data should be included in the releases |
Allowable Values
Parameter | Value |
---|---|
date_range_type | RELEASED |
date_range_type | REPORT_CREATED |
date_range_type | REPORT_UPDATED |
date_range_type | EVENT_START |
record_type | REPORT |
record_type | CASE |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Released Reports (Deprecated)
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/released/hydrated?range_start_utc=string&export_released_to=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/released/hydrated?range_start_utc=string&export_released_to=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/released/hydrated',
params: {
'range_start_utc' => 'string',
'export_released_to' => 'array[string]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/released/hydrated', params={
'range_start_utc': 'string', 'export_released_to': [
"string"
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/released/hydrated?range_start_utc=string&export_released_to=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/released/hydrated', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/released/hydrated?range_start_utc=string&export_released_to=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/released/hydrated", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/released/hydrated";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/released/hydrated
Deprecated. Use: external/reports/released.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
range_start_utc | query | string | true | Start of updated date/time range in UTC |
range_end_utc | query | string | false | End of updated date/time range in UTC |
date_range_type | query | string | false | Type of date range to search by |
export_released_to | query | array[string] | true | The release type to be exported (corresponds to EXPORT_RELEASED_TO attribute type) |
Allowable Values
Parameter | Value |
---|---|
date_range_type | RELEASED |
date_range_type | REPORT_CREATED |
date_range_type | REPORT_UPDATED |
date_range_type | EVENT_START |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Released Reports/Cases For Record Numbers
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/released/record_numbers?export_released_to=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/released/record_numbers?export_released_to=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/released/record_numbers',
params: {
'export_released_to' => 'array[string]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/released/record_numbers', params={
'export_released_to': [
"string"
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/released/record_numbers?export_released_to=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/released/record_numbers', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/released/record_numbers?export_released_to=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/released/record_numbers", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/released/record_numbers";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/released/record_numbers
Retrieves a list of reports and/or cases by record number with specific release type.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
export_released_to | query | array[string] | true | The release type to be exported (corresponds to EXPORT_RELEASED_TO attribute type) |
record_numbers | query | array[string] | false | Optional filter used to only return releases for specific RENs and Record Numbers |
report_types | query | array[string] | false | Report Types for which to search across with the provided Record Numbers |
custom_report_types | query | array[string] | false | Names of Custom Report Types to retrieve, required if report_types parameter contains "CUSTOM" |
include_file_bytes | query | boolean | false | Whether or not the file attachment data should be included in the releases |
Allowable Values
Parameter | Value |
---|---|
report_types | ARREST |
report_types | CITATION |
report_types | CUSTODIAL_PROPERTY |
report_types | CUSTOM |
report_types | FIELD_CONTACT |
report_types | IMPOUND |
report_types | MISSING_PERSONS |
report_types | OFFENSE |
report_types | SUPPLEMENT |
report_types | TOW_VEHICLE |
report_types | TRAFFIC_CRASH |
report_types | USE_OF_FORCE |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Released Reports by RENs
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/released/reporting_event?reporting_event_numbers=string&export_released_to=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/released/reporting_event?reporting_event_numbers=string&export_released_to=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/released/reporting_event',
params: {
'reporting_event_numbers' => 'array[string]',
'export_released_to' => 'array[string]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/released/reporting_event', params={
'reporting_event_numbers': [
"string"
], 'export_released_to': [
"string"
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/released/reporting_event?reporting_event_numbers=string&export_released_to=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/released/reporting_event', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/released/reporting_event?reporting_event_numbers=string&export_released_to=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/released/reporting_event", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/released/reporting_event";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/released/reporting_event
Retrieves a list of reports that have been released by their Reporting Event Numbers (RENs) and release type.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
reporting_event_numbers | query | array[string] | true | List of Reporting Event Numbers to be returned |
export_released_to | query | array[string] | true | The release type to be exported (corresponds to EXPORT_RELEASED_TO attribute type) |
record_type | query | array[string] | false | The record types of released entities to include in output |
include_file_bytes | query | boolean | false | Whether or not the file attachment data should be included in the releases |
Allowable Values
Parameter | Value |
---|---|
record_type | REPORT |
record_type | CASE |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Released Reports by REN (Deprecated)
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/released/reporting_event/hydrated?reporting_event_numbers=string&export_released_to=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/released/reporting_event/hydrated?reporting_event_numbers=string&export_released_to=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/released/reporting_event/hydrated',
params: {
'reporting_event_numbers' => 'array[string]',
'export_released_to' => 'array[string]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/released/reporting_event/hydrated', params={
'reporting_event_numbers': [
"string"
], 'export_released_to': [
"string"
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/released/reporting_event/hydrated?reporting_event_numbers=string&export_released_to=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/released/reporting_event/hydrated', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/released/reporting_event/hydrated?reporting_event_numbers=string&export_released_to=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/released/reporting_event/hydrated", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/released/reporting_event/hydrated";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/released/reporting_event/hydrated
Deprecated. Use: external/reports/released/reporting_event.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
reporting_event_numbers | query | array[string] | true | List of Reporting Event Numbers to be returned |
export_released_to | query | array[string] | true | The release type to be exported (corresponds to EXPORT_RELEASED_TO attribute type) |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Supplement Report
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/supplement \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/supplement");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/supplement',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/supplement', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/supplement HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/supplement', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/supplement',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/supplement", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/supplement";
string json = @"{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{
""assistType"": ""string"",
""assistingOfficer"": {}
}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""arrestStatistics"": [
""string""
],
""arrestTactics"": [
""string""
],
""arrestType"": ""string"",
""arresteeArmedWith"": [
""string""
],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""bailAmount"": 0,
""charges"": [
{}
],
""codefendants"": [
{}
],
""complainantOrganizations"": [
{}
],
""complainantPeople"": [
{}
],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
},
""citationRecipientPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""citationStatistics"": [
""string""
],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {
""bailAmount"": 0,
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""judgeName"": ""string"",
""placeDetained"": ""string""
},
""customReportTypeName"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
]
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [
{}
],
""fieldContactOrganizations"": [
{}
],
""fieldContactSubjects"": [
{}
],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [
""string""
],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [
{}
],
""lastKnownLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""missingPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""witnesses"": [
{}
]
},
""externalOffenses"": [
{
""completed"": true,
""crimeInvestigationType"": ""string"",
""crimeInvestigationTypeCode"": ""string"",
""domesticViolence"": true,
""externalId"": ""string"",
""externalOffenseCode"": {},
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""offenseAttributes"": [],
""offenseCode"": ""string"",
""offenseDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseEndDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseLocation"": {},
""offenseOrder"": 0,
""offenseReportNumber"": ""string"",
""suspectedHateCrime"": true
}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [
""string""
],
""forceResultedInInjury"": true,
""locationOfStop"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [
{}
],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [
{}
],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {
""damageOnVehicle"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""insuranceInVehicle"": true,
""licenseInVehicle"": true,
""lotLocation"": ""string"",
""registrationInVehicle"": true,
""vehicleHeldAsEvidence"": true
},
""externalTowVehicleRelease"": {
""additionalNotes"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""releaseBy"": {},
""releaseDateUtc"": ""2019-08-24T14:15:22Z"",
""releaseType"": ""string"",
""releaseTypeOther"": ""string""
},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""towedVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [
{}
],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedVehicles"": [
{}
],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [
{}
],
""trafficCrashAttributes"": [
{}
],
""trafficCrashEntityDetails"": [
{}
],
""trafficCrashLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""trafficCrashPeople"": [
{}
],
""trafficCrashRoadways"": [
{}
],
""trafficCrashVehicles"": [
{}
],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{
""additionalDetails"": {},
""altered"": true,
""barcodeValues"": [],
""barrelLength"": 0,
""caliber"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""finish"": ""string"",
""firearmMake"": ""string"",
""grip"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""numberOfShots"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationNumber"": ""string"",
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""stock"": ""string"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedProfiles"": {
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
]
},
""involvedProperty"": [
{
""additionalDetails"": {},
""barcodeValues"": [],
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedVehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
}
],
""reportingPersons"": [
{
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [
{}
],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/supplement
Creates a single Supplement Report. Request body is an ExternalReport object with a populated ExternalSupplement object.
Body parameter
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Supplement Report to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Supplement Reports in Bulk
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/supplement/bulk \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/supplement/bulk");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/supplement/bulk',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/supplement/bulk', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/supplement/bulk HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/supplement/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/supplement/bulk',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/supplement/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/supplement/bulk";
string json = @"[
{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {},
""arrestStatistics"": [],
""arrestTactics"": [],
""arrestType"": ""string"",
""arresteeArmedWith"": [],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {},
""bailAmount"": 0,
""charges"": [],
""codefendants"": [],
""complainantOrganizations"": [],
""complainantPeople"": [],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {},
""citationRecipientPerson"": {},
""citationStatistics"": [],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {},
""customReportTypeName"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": []
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [],
""fieldContactOrganizations"": [],
""fieldContactSubjects"": [],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [],
""lastKnownLocation"": {},
""missingPerson"": {},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {},
""witnesses"": []
},
""externalOffenses"": [
{}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [],
""forceResultedInInjury"": true,
""locationOfStop"": {},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {},
""externalTowVehicleRelease"": {},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {},
""towedVehicle"": {},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedVehicles"": [],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [],
""trafficCrashAttributes"": [],
""trafficCrashEntityDetails"": [],
""trafficCrashLocation"": {},
""trafficCrashPeople"": [],
""trafficCrashRoadways"": [],
""trafficCrashVehicles"": [],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{}
],
""involvedProfiles"": {
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": []
},
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{}
],
""reportingPersons"": [
{}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}
]";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/supplement/bulk
Creates Supplement Reports in bulk quantities. Each ExternalReport object in the request body requires a populated ExternalSupplement object.
Body parameter
[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Supplement Reports to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Tow Vehicle Report
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/tow_vehicle \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/tow_vehicle");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/tow_vehicle',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/tow_vehicle', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/tow_vehicle HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/tow_vehicle', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/tow_vehicle',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/tow_vehicle", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/tow_vehicle";
string json = @"{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{
""assistType"": ""string"",
""assistingOfficer"": {}
}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""arrestStatistics"": [
""string""
],
""arrestTactics"": [
""string""
],
""arrestType"": ""string"",
""arresteeArmedWith"": [
""string""
],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""bailAmount"": 0,
""charges"": [
{}
],
""codefendants"": [
{}
],
""complainantOrganizations"": [
{}
],
""complainantPeople"": [
{}
],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
},
""citationRecipientPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""citationStatistics"": [
""string""
],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {
""bailAmount"": 0,
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""judgeName"": ""string"",
""placeDetained"": ""string""
},
""customReportTypeName"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
]
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [
{}
],
""fieldContactOrganizations"": [
{}
],
""fieldContactSubjects"": [
{}
],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [
""string""
],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [
{}
],
""lastKnownLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""missingPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""witnesses"": [
{}
]
},
""externalOffenses"": [
{
""completed"": true,
""crimeInvestigationType"": ""string"",
""crimeInvestigationTypeCode"": ""string"",
""domesticViolence"": true,
""externalId"": ""string"",
""externalOffenseCode"": {},
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""offenseAttributes"": [],
""offenseCode"": ""string"",
""offenseDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseEndDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseLocation"": {},
""offenseOrder"": 0,
""offenseReportNumber"": ""string"",
""suspectedHateCrime"": true
}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [
""string""
],
""forceResultedInInjury"": true,
""locationOfStop"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [
{}
],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [
{}
],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {
""damageOnVehicle"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""insuranceInVehicle"": true,
""licenseInVehicle"": true,
""lotLocation"": ""string"",
""registrationInVehicle"": true,
""vehicleHeldAsEvidence"": true
},
""externalTowVehicleRelease"": {
""additionalNotes"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""releaseBy"": {},
""releaseDateUtc"": ""2019-08-24T14:15:22Z"",
""releaseType"": ""string"",
""releaseTypeOther"": ""string""
},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""towedVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [
{}
],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedVehicles"": [
{}
],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [
{}
],
""trafficCrashAttributes"": [
{}
],
""trafficCrashEntityDetails"": [
{}
],
""trafficCrashLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""trafficCrashPeople"": [
{}
],
""trafficCrashRoadways"": [
{}
],
""trafficCrashVehicles"": [
{}
],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{
""additionalDetails"": {},
""altered"": true,
""barcodeValues"": [],
""barrelLength"": 0,
""caliber"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""finish"": ""string"",
""firearmMake"": ""string"",
""grip"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""numberOfShots"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationNumber"": ""string"",
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""stock"": ""string"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedProfiles"": {
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
]
},
""involvedProperty"": [
{
""additionalDetails"": {},
""barcodeValues"": [],
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedVehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
}
],
""reportingPersons"": [
{
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [
{}
],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/tow_vehicle
Creates a single Tow Vehicle Report. Request body is an ExternalReport object with a populated ExternalTowVehicle object.
Body parameter
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Tow Vehicle Report to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Tow Vehicle Reports in Bulk
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/tow_vehicle/bulk \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/tow_vehicle/bulk");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/tow_vehicle/bulk',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/tow_vehicle/bulk', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/tow_vehicle/bulk HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/tow_vehicle/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/tow_vehicle/bulk',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/tow_vehicle/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/tow_vehicle/bulk";
string json = @"[
{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {},
""arrestStatistics"": [],
""arrestTactics"": [],
""arrestType"": ""string"",
""arresteeArmedWith"": [],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {},
""bailAmount"": 0,
""charges"": [],
""codefendants"": [],
""complainantOrganizations"": [],
""complainantPeople"": [],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {},
""citationRecipientPerson"": {},
""citationStatistics"": [],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {},
""customReportTypeName"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": []
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [],
""fieldContactOrganizations"": [],
""fieldContactSubjects"": [],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [],
""lastKnownLocation"": {},
""missingPerson"": {},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {},
""witnesses"": []
},
""externalOffenses"": [
{}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [],
""forceResultedInInjury"": true,
""locationOfStop"": {},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {},
""externalTowVehicleRelease"": {},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {},
""towedVehicle"": {},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedVehicles"": [],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [],
""trafficCrashAttributes"": [],
""trafficCrashEntityDetails"": [],
""trafficCrashLocation"": {},
""trafficCrashPeople"": [],
""trafficCrashRoadways"": [],
""trafficCrashVehicles"": [],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{}
],
""involvedProfiles"": {
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": []
},
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{}
],
""reportingPersons"": [
{}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}
]";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/tow_vehicle/bulk
Creates Tow Vehicle Reports in bulk quantities. Each ExternalReport object in the request body requires a populated ExternalTowVehicle object.
Body parameter
[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Tow Vehicle Reports to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Traffic Crash Report
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/traffic_crash \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/traffic_crash");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/traffic_crash',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/traffic_crash', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/traffic_crash HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/traffic_crash', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/traffic_crash',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/traffic_crash", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/traffic_crash";
string json = @"{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{
""assistType"": ""string"",
""assistingOfficer"": {}
}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""arrestStatistics"": [
""string""
],
""arrestTactics"": [
""string""
],
""arrestType"": ""string"",
""arresteeArmedWith"": [
""string""
],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""bailAmount"": 0,
""charges"": [
{}
],
""codefendants"": [
{}
],
""complainantOrganizations"": [
{}
],
""complainantPeople"": [
{}
],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
},
""citationRecipientPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""citationStatistics"": [
""string""
],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {
""bailAmount"": 0,
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""judgeName"": ""string"",
""placeDetained"": ""string""
},
""customReportTypeName"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
]
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [
{}
],
""fieldContactOrganizations"": [
{}
],
""fieldContactSubjects"": [
{}
],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [
""string""
],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [
{}
],
""lastKnownLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""missingPerson"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""witnesses"": [
{}
]
},
""externalOffenses"": [
{
""completed"": true,
""crimeInvestigationType"": ""string"",
""crimeInvestigationTypeCode"": ""string"",
""domesticViolence"": true,
""externalId"": ""string"",
""externalOffenseCode"": {},
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""offenseAttributes"": [],
""offenseCode"": ""string"",
""offenseDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseEndDateUtc"": ""2019-08-24T14:15:22Z"",
""offenseLocation"": {},
""offenseOrder"": 0,
""offenseReportNumber"": ""string"",
""suspectedHateCrime"": true
}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [
""string""
],
""forceResultedInInjury"": true,
""locationOfStop"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [
{}
],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [
{}
],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [
{}
],
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {
""damageOnVehicle"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""insuranceInVehicle"": true,
""licenseInVehicle"": true,
""lotLocation"": ""string"",
""registrationInVehicle"": true,
""vehicleHeldAsEvidence"": true
},
""externalTowVehicleRelease"": {
""additionalNotes"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""releaseBy"": {},
""releaseDateUtc"": ""2019-08-24T14:15:22Z"",
""releaseType"": ""string"",
""releaseTypeOther"": ""string""
},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""towedVehicle"": {
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [
{}
],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
],
""involvedVehicles"": [
{}
],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [
{}
],
""trafficCrashAttributes"": [
{}
],
""trafficCrashEntityDetails"": [
{}
],
""trafficCrashLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""trafficCrashPeople"": [
{}
],
""trafficCrashRoadways"": [
{}
],
""trafficCrashVehicles"": [
{}
],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{
""additionalDetails"": {},
""altered"": true,
""barcodeValues"": [],
""barrelLength"": 0,
""caliber"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""finish"": ""string"",
""firearmMake"": ""string"",
""grip"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""numberOfShots"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationNumber"": ""string"",
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""stock"": ""string"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedProfiles"": {
""involvedLocations"": [
{}
],
""involvedOrganizations"": [
{}
],
""involvedPersons"": [
{}
]
},
""involvedProperty"": [
{
""additionalDetails"": {},
""barcodeValues"": [],
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""linkedNames"": [],
""make"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""model"": ""string"",
""otherIdentifiers"": {},
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""type"": ""string"",
""value"": 0
}
],
""involvedVehicles"": [
{
""additionalDetails"": {},
""allowCreationWithoutVinOrPlate"": true,
""barcodeValues"": [],
""bodyStyle"": ""string"",
""bodyStyleDescription"": ""string"",
""category"": ""string"",
""categoryFullName"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredValueUnknown"": true,
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""forfeitureValue"": 0,
""insurancePolicyNumber"": ""string"",
""insuranceProvider"": ""string"",
""intakePerson"": ""string"",
""isBiohazard"": true,
""isImpounded"": true,
""isInPoliceCustody"": true,
""itemAttributes"": [],
""licensePlateNumber"": ""string"",
""linkedNames"": [],
""make"": ""string"",
""makeNcicCode"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""measurement"": ""string"",
""mileage"": 0,
""model"": ""string"",
""modelNcicCode"": ""string"",
""otherIdentifiers"": {},
""ownerNotified"": true,
""primaryColor"": ""string"",
""propertyStatus"": ""string"",
""quantity"": 0,
""reasonForCustody"": ""string"",
""recoveredAddress"": {},
""recoveredByOther"": ""string"",
""recoveredDateUtc"": ""2019-08-24T14:15:22Z"",
""recoveringOfficer"": {},
""registrationState"": ""string"",
""registrationType"": ""string"",
""registrationYear"": 0,
""secondaryColor"": ""string"",
""serialNumber"": ""string"",
""size"": ""string"",
""statementOfFacts"": ""string"",
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""storageFacility"": ""string"",
""storageLocation"": ""string"",
""towingCompany"": ""string"",
""towingCompanyOther"": ""string"",
""towingLocation"": ""string"",
""towingNumber"": ""string"",
""type"": ""string"",
""value"": 0,
""vehicleRecoveryType"": ""string"",
""vehicleSearchConsentedTo"": true,
""vehicleSearched"": true,
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{
""additionalDetails"": {},
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""declaredDateOfDeath"": ""2019-08-24"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""industry"": ""string"",
""involvement"": ""INVOLVED_ORG_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isNonDisclosureRequest"": true,
""isSociety"": true,
""mark43Id"": 0,
""masterId"": 0,
""name"": ""string"",
""nickname"": ""string"",
""nicknames"": [],
""officialAddress"": {},
""otherIdentifiers"": {},
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""physicalAddress"": {},
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""type"": ""string""
}
],
""reportingPersons"": [
{
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [
{}
],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/traffic_crash
Creates a single Traffic Crash Report. Request body is an ExternalReport object with a populated ExternalTrafficCrash object.
Body parameter
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatistics": [
"string"
],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"judgeName": "string",
"placeDetained": "string"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"registrationInVehicle": true,
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Traffic Crash Report to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Traffic Crash Reports in Bulk
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/traffic_crash/bulk \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/traffic_crash/bulk");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/traffic_crash/bulk',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/traffic_crash/bulk', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/traffic_crash/bulk HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/traffic_crash/bulk', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/traffic_crash/bulk',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/traffic_crash/bulk", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/traffic_crash/bulk";
string json = @"[
{
""additionalDetails"": {
""property1"": ""string"",
""property2"": ""string""
},
""agencyCode"": ""string"",
""agencyOri"": ""string"",
""approvalStatus"": ""DRAFT"",
""approvedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""approvedDateUtc"": ""2019-08-24T14:15:22Z"",
""assistingOfficers"": [
{}
],
""caseStatus"": ""string"",
""eventEndUtc"": ""2019-08-24T14:15:22Z"",
""eventStartUtc"": ""2019-08-24T14:15:22Z"",
""eventStatistics"": [
""string""
],
""externalArrest"": {
""advisedRights"": true,
""advisedRightsDateUtc"": ""2019-08-24T14:15:22Z"",
""advisedRightsLocation"": ""string"",
""advisedRightsOfficer"": {},
""advisedRightsResponse"": ""string"",
""advisedRightsResponseDescription"": ""string"",
""arrestDateUtc"": ""2019-08-24T14:15:22Z"",
""arrestLocation"": {},
""arrestStatistics"": [],
""arrestTactics"": [],
""arrestType"": ""string"",
""arresteeArmedWith"": [],
""arrestingAgency"": ""string"",
""arrestingOfficer"": {},
""bailAmount"": 0,
""charges"": [],
""codefendants"": [],
""complainantOrganizations"": [],
""complainantPeople"": [],
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""defendant"": {},
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""isJuvenile"": true,
""judgeName"": ""string"",
""juvenileTriedAsAdult"": true,
""juvenileTriedAsAdultNotes"": ""string"",
""localId"": ""string"",
""lockupDateUtc"": ""2019-08-24T14:15:22Z"",
""lockupLocation"": ""string"",
""lockupNumber"": ""string"",
""nibrsCode"": ""str"",
""placeDetained"": ""string"",
""placeDetainedAtDescription"": ""string"",
""releasedByOfficer"": {}
},
""externalCitation"": {
""actualSpeed"": 0,
""bailAmount"": 0,
""citationCharge1"": ""string"",
""citationCharge2"": ""string"",
""citationCharge3"": ""string"",
""citationCharge4"": ""string"",
""citationCharge5"": ""string"",
""citationLocation"": {},
""citationNumber"": ""string"",
""citationRecipientOrganization"": {},
""citationRecipientPerson"": {},
""citationStatistics"": [],
""citationType"": ""string"",
""citationTypeOther"": ""string"",
""citationVehicle"": {},
""courtDateUtc"": ""2019-08-24T14:15:22Z"",
""courtName"": ""string"",
""courtRoomNumber"": ""string"",
""courtType"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""issuedDateUtc"": ""2019-08-24T14:15:22Z"",
""judgeName"": ""string"",
""placeDetained"": ""string"",
""postedSpeed"": 0
},
""externalCustomFields"": {
""courtCase"": {},
""customReportTypeName"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": []
},
""externalFieldContact"": {
""communityInformationObtainedFrom"": ""string"",
""communityInformationObtainedFromDescription"": ""string"",
""contactDetailsNarrative"": ""string"",
""detainedEndDateUtc"": ""2019-08-24T14:15:22Z"",
""detainedStartDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactLocations"": [],
""fieldContactOrganizations"": [],
""fieldContactSubjects"": [],
""fieldContactType"": ""string"",
""fieldContactTypeDescription"": ""string"",
""involvedFirearms"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""localId"": ""string"",
""movingViolationNumber"": ""string"",
""policeExperienceNarrative"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopDescription"": ""string"",
""reasonableSuspicionNarrative"": ""string"",
""wasStopScreenedBySupervisor"": true
},
""externalId"": ""string"",
""externalImpound"": {
""externalId"": ""string"",
""externalSystem"": ""string"",
""keysInVehicle"": true,
""nicNumberCancellation"": ""string"",
""nicNumberCancellationDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberCancellationIsLocal"": true,
""nicNumberOriginal"": ""string"",
""nicNumberOriginalDateUtc"": ""2019-08-24T14:15:22Z"",
""nicNumberOriginalIsLocal"": true,
""ocaNumberCancellation"": ""string"",
""ocaNumberOriginal"": ""string"",
""originatingAgencyCancellation"": ""string"",
""originatingAgencyOriginal"": ""string"",
""vehicleLocked"": true
},
""externalMissingPerson"": {
""additionalInformation"": [],
""closureDate"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""lastContactDate"": ""2019-08-24T14:15:22Z"",
""lastKnownContacts"": [],
""lastKnownLocation"": {},
""missingPerson"": {},
""missingPersonCriticality"": ""string"",
""missingPersonCriticalityOther"": ""string"",
""missingPersonStatus"": ""string"",
""missingPersonType"": ""string"",
""missingPersonTypeOther"": ""string"",
""returnedLocation"": {},
""witnesses"": []
},
""externalOffenses"": [
{}
],
""externalReportType"": ""ARREST"",
""externalStop"": {
""arrestBasedOn"": ""string"",
""atlQ1"": true,
""atlQ2"": true,
""contactType"": ""string"",
""contrabandType"": ""string"",
""contrabandTypeOther"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fieldContactDispositions"": [],
""forceResultedInInjury"": true,
""locationOfStop"": {},
""narrative1"": ""string"",
""narrative2"": ""string"",
""narrative3"": ""string"",
""narrative4"": ""string"",
""narrative5"": ""string"",
""otherInvolvedPersons"": [],
""reasonForSearch"": ""string"",
""reasonForSearchOther"": ""string"",
""reasonForStop"": ""string"",
""reasonForStopOther"": ""string"",
""resultOfStop"": ""string"",
""subjects"": [],
""violationNumber"": ""string"",
""wasContrabandDiscovered"": true,
""wasRaceKnown"": true,
""wasSearchConsented"": true,
""wasSubjectScreened"": ""string"",
""wasSubjectSearched"": true
},
""externalSupplement"": {
""description"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""involvedFirearms"": [],
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedProperty"": [],
""involvedVehicles"": [],
""primaryUnit"": ""string"",
""supplementType"": ""string""
},
""externalSystem"": ""string"",
""externalTowVehicle"": {
""additionalNotes"": ""string"",
""dateOfTheft"": ""2019-08-24"",
""externalId"": ""string"",
""externalImpound"": {},
""externalSystem"": ""string"",
""externalTowVehicleCheckIn"": {},
""externalTowVehicleRelease"": {},
""isImpounded"": true,
""messageLeftWith"": ""string"",
""originalRen"": ""string"",
""outsideRecoveryAgency"": ""string"",
""outsideRecoveryAgencyRen"": ""string"",
""reasonForTow"": ""string"",
""remarksAndConditions"": ""string"",
""towCompanyCalled"": ""string"",
""towCompanyCalledDateUtc"": ""2019-08-24T14:15:22Z"",
""towCompanyCalledOther"": ""string"",
""towVehicleStatus"": ""string"",
""towedFromLocation"": {},
""towedVehicle"": {},
""vehicleTowedDateUtc"": ""2019-08-24T14:15:22Z"",
""wasLocateSent"": true,
""wasOutsideRecovery"": true,
""wasOwnerContactAttempted"": true,
""wereImpoundsChecked"": true
},
""externalTrafficCrash"": {
""additionalIntersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""additionalIntersectionDetailsRoadwayDirectionAttrId"": 0,
""additionalIntersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""additionalIntersectionDetailsRoadwayRouteNumber"": ""string"",
""additionalIntersectionRoadwayName"": ""string"",
""alcoholInvolvementAbbreviation"": ""string"",
""alcoholInvolvementAttrId"": 0,
""alcoholInvolvementValue"": ""string"",
""crashCityOrPlaceGlc"": ""string"",
""crashClassificationCharacteristicsAbbreviation"": ""string"",
""crashClassificationCharacteristicsAttrId"": 0,
""crashClassificationCharacteristicsValue"": ""string"",
""crashClassificationOwnershipAbbreviation"": ""string"",
""crashClassificationOwnershipAttrId"": 0,
""crashClassificationOwnershipValue"": ""string"",
""crashClassificationSecondaryCrashAbbreviation"": ""string"",
""crashClassificationSecondaryCrashAttrId"": 0,
""crashClassificationSecondaryCrashValue"": ""string"",
""crashCountyGlc"": ""string"",
""crashDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""crashIdentifier"": ""string"",
""crashSeverityAbbreviation"": ""string"",
""crashSeverityAttrId"": 0,
""crashSeverityValue"": ""string"",
""dayOfWeekAbbreviation"": ""string"",
""dayOfWeekAttrId"": 0,
""dayOfWeekValue"": ""string"",
""drugInvolvementAbbreviation"": ""string"",
""drugInvolvementAttrId"": 0,
""drugInvolvementValue"": ""string"",
""entityOrderedAttributes"": [],
""exitNumberDirectionAbbreviation"": ""string"",
""exitNumberDirectionAttrId"": 0,
""exitNumberDirectionDisplayValue"": ""string"",
""exitNumberDistance"": 0,
""exportFileId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstHarmfulEventAbbreviation"": ""string"",
""firstHarmfulEventAttrId"": 0,
""firstHarmfulEventValue"": ""string"",
""hasPropertyDamage"": true,
""intersectionDetailsRoadwayDirectionAbbreviation"": ""string"",
""intersectionDetailsRoadwayDirectionAttrId"": 0,
""intersectionDetailsRoadwayDirectionDisplayValue"": ""string"",
""intersectionDetailsRoadwayName"": ""string"",
""intersectionDetailsRoadwayRouteNumber"": ""string"",
""intersectionNumApproachesAbbreviation"": ""string"",
""intersectionNumApproachesAttrId"": 0,
""intersectionNumApproachesValue"": ""string"",
""intersectionOverallGeometryAbbreviation"": ""string"",
""intersectionOverallGeometryAttrId"": 0,
""intersectionOverallGeometryValue"": ""string"",
""intersectionOverallTrafficControlDeviceAbbreviation"": ""string"",
""intersectionOverallTrafficControlDeviceAttrId"": 0,
""intersectionOverallTrafficControlDeviceValue"": ""string"",
""involvedOrganizations"": [],
""involvedPersons"": [],
""involvedVehicles"": [],
""judicialDistrict"": ""string"",
""junctionSpecificLocationAbbreviation"": ""string"",
""junctionSpecificLocationAttrId"": 0,
""junctionSpecificLocationValue"": ""string"",
""junctionWithinInterchangeAreaAbbreviation"": ""string"",
""junctionWithinInterchangeAreaAttrId"": 0,
""junctionWithinInterchangeAreaValue"": ""string"",
""landmarkDistance"": 0,
""landmarkDistanceDirectionAbbreviation"": ""string"",
""landmarkDistanceDirectionAttrId"": 0,
""landmarkDistanceDirectionDisplayValue"": ""string"",
""landmarkDistanceUnitsAbbreviation"": ""string"",
""landmarkDistanceUnitsAttrId"": 0,
""landmarkDistanceUnitsDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDirectionAbbreviation"": ""string"",
""landmarkIntersectingRoadwayDirectionAttrId"": 0,
""landmarkIntersectingRoadwayDirectionDisplayValue"": ""string"",
""landmarkIntersectingRoadwayDistance"": 0,
""landmarkIntersectingRoadwayName"": ""string"",
""landmarkIntersectingRoadwayRouteNumber"": ""string"",
""landmarkName"": ""string"",
""lightConditionAbbreviation"": ""string"",
""lightConditionAttrId"": 0,
""lightConditionValue"": ""string"",
""lightConditionValueMmuccCode"": ""string"",
""lightConditionValueMmuccName"": ""string"",
""locationOfFirstHarmfulEventAbbreviation"": ""string"",
""locationOfFirstHarmfulEventAttrId"": 0,
""locationOfFirstHarmfulEventValue"": ""string"",
""mannerOfCrashAbbreviation"": ""string"",
""mannerOfCrashAttrId"": 0,
""mannerOfCrashValue"": ""string"",
""milepost"": ""string"",
""milepostDirectionAbbreviation"": ""string"",
""milepostDirectionAttrId"": 0,
""milepostDirectionDisplayValue"": ""string"",
""milepostDistance"": 0,
""milepostDistanceUnitsAbbreviation"": ""string"",
""milepostDistanceUnitsAttrId"": 0,
""milepostDistanceUnitsDisplayValue"": ""string"",
""milepostExitNumber"": ""string"",
""milepostRoadwayDirectionAbbreviation"": ""string"",
""milepostRoadwayDirectionAttrId"": 0,
""milepostRoadwayDirectionDisplayValue"": ""string"",
""milepostRouteNumber"": ""string"",
""numFatalities"": 0,
""numMotorists"": 0,
""numNonFatallyInjuredPersons"": 0,
""numNonMotorists"": 0,
""numVehicles"": 0,
""postedSpeedLimit"": 0,
""reportingDistrict"": ""string"",
""reportingLawEnforcementAgencyIdentifier"": ""string"",
""roadwayClearanceDateAndTimeUtc"": ""2019-08-24T14:15:22Z"",
""roadwayDirectionAbbreviation"": ""string"",
""roadwayDirectionAttrId"": 0,
""roadwayDirectionDisplayValue"": ""string"",
""roadwayName"": ""string"",
""roadwaySurfaceConditionAbbreviation"": ""string"",
""roadwaySurfaceConditionAttrId"": 0,
""roadwaySurfaceConditionMmuccCode"": ""string"",
""roadwaySurfaceConditionMmuccName"": ""string"",
""roadwaySurfaceConditionValue"": ""string"",
""routeNumber"": ""string"",
""schoolBusRelatedAbbreviation"": ""string"",
""schoolBusRelatedAttrId"": 0,
""schoolBusRelatedValue"": ""string"",
""sourceOfInformationAbbreviation"": ""string"",
""sourceOfInformationAttrId"": 0,
""sourceOfInformationValue"": ""string"",
""subjectsInTrafficCrash"": [],
""trafficCrashAttributes"": [],
""trafficCrashEntityDetails"": [],
""trafficCrashLocation"": {},
""trafficCrashPeople"": [],
""trafficCrashRoadways"": [],
""trafficCrashVehicles"": [],
""workZoneLawEnforcementPresentAbbreviation"": ""string"",
""workZoneLawEnforcementPresentAttrId"": 0,
""workZoneLawEnforcementPresentValue"": ""string"",
""workZoneLocationOfCrashAbbreviation"": ""string"",
""workZoneLocationOfCrashAttrId"": 0,
""workZoneLocationOfCrashValue"": ""string"",
""workZoneRelatedAbbreviation"": ""string"",
""workZoneRelatedAttrId"": 0,
""workZoneRelatedValue"": ""string"",
""workZoneTypeAbbreviation"": ""string"",
""workZoneTypeAttrId"": 0,
""workZoneTypeValue"": ""string"",
""workZoneWorkersPresentAbbreviation"": ""string"",
""workZoneWorkersPresentAttrId"": 0,
""workZoneWorkersPresentValue"": ""string""
},
""involvedFirearms"": [
{}
],
""involvedProfiles"": {
""involvedLocations"": [],
""involvedOrganizations"": [],
""involvedPersons"": []
},
""involvedProperty"": [
{}
],
""involvedVehicles"": [
{}
],
""narrative"": ""string"",
""personnelUnit"": ""string"",
""recordNumber"": ""string"",
""reportLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""reportNumber"": ""string"",
""reportingOrganizations"": [
{}
],
""reportingPersons"": [
{}
],
""respondingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""routingLabels"": [
""string""
],
""statusUpdatedDateUtc"": ""2019-08-24T14:15:22Z"",
""submittedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""submittedDateUtc"": ""2019-08-24T14:15:22Z"",
""summaryNarrative"": ""string"",
""useOfForce"": {
""didOfficerApproachAttrCode"": ""string"",
""didOfficerApproachAttrDisplayValue"": ""string"",
""didOfficerApproachAttrId"": 0,
""externalId"": ""string"",
""externalSystem"": ""string"",
""incidentResultedInCrimeReport"": true,
""medicalAidReceivedAttrCode"": ""string"",
""medicalAidReceivedAttrDisplayValue"": ""string"",
""medicalAidReceivedAttrId"": 0,
""minimumNumberOfUnknownOfficersInvolved"": 0,
""officerBadgeNumber"": ""string"",
""officerDateOfBirth"": ""2019-08-24"",
""officerDressAttrCode"": ""string"",
""officerDressAttrDisplayValue"": ""string"",
""officerDressAttrId"": 0,
""officerDutyAssignment"": ""string"",
""officerFullPartTimeAttrCode"": ""string"",
""officerFullPartTimeAttrDisplayValue"": ""string"",
""officerFullPartTimeAttrId"": 0,
""officerHeight"": 0,
""officerName"": ""string"",
""officerRaceAttrCode"": ""string"",
""officerRaceAttrDisplayValue"": ""string"",
""officerRaceAttrId"": 0,
""officerRank"": ""string"",
""officerSexAttrCode"": ""string"",
""officerSexAttrDisplayValue"": ""string"",
""officerSexAttrId"": 0,
""officerWeight"": 0,
""officerYearsOfService"": 0,
""onSceneSupervisorHumanResourcesNumber"": ""string"",
""onSceneSupervisorUnit"": ""string"",
""onSceneSupervisorUserProfileId"": 0,
""otherOfficersInvolvedButUnknown"": true,
""seniorOfficerPresentAttrCode"": ""string"",
""seniorOfficerPresentAttrDisplayValue"": ""string"",
""seniorOfficerPresentAttrId"": 0,
""supervisorOnScene"": true,
""useOfForceReasonAttrCode"": ""string"",
""useOfForceReasonAttrDisplayValue"": ""string"",
""useOfForceReasonAttrId"": 0,
""useOfForceReasonOther"": ""string"",
""useOfForceSubjects"": [],
""wasOfficerAmbushedAttrCode"": ""string"",
""wasOfficerAmbushedAttrDisplayValue"": ""string"",
""wasOfficerAmbushedAttrId"": 0,
""wasOfficerOnDutyAttrCode"": ""string"",
""wasOfficerOnDutyAttrDisplayValue"": ""string"",
""wasOfficerOnDutyAttrId"": 0
}
}
]";
ExternalReport content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalReport content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalReport content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/traffic_crash/bulk
Creates Traffic Crash Reports in bulk quantities. Each ExternalReport object in the request body requires a populated ExternalTrafficCrash object.
Body parameter
[
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatistics": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {}
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatistics": [],
"citationType": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"externalId": "string",
"externalSystem": "string",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"placeDetained": "string",
"postedSpeed": 0
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"externalId": "string",
"externalSystem": "string",
"keysInVehicle": true,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"externalId": "string",
"externalSystem": "string",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"description": "string",
"externalId": "string",
"externalSystem": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"primaryUnit": "string",
"supplementType": "string"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"isImpounded": true,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"useOfForce": {
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"incidentResultedInCrimeReport": true,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalReport | true | Traffic Crash Reports to be created |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: Reports with Gang Tracking Information
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/reports/with_gang_trackings?range_start_utc=string&range_end_utc=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/with_gang_trackings?range_start_utc=string&range_end_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/reports/with_gang_trackings',
params: {
'range_start_utc' => 'string',
'range_end_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/reports/with_gang_trackings', params={
'range_start_utc': 'string', 'range_end_utc': 'string'
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/reports/with_gang_trackings?range_start_utc=string&range_end_utc=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/reports/with_gang_trackings', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/with_gang_trackings?range_start_utc=string&range_end_utc=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/reports/with_gang_trackings", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/with_gang_trackings";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/reports/with_gang_trackings
Retrieves reports that were updated within a given date/time range and contain Person Gang Tracking information.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
range_start_utc | query | string | true | Start of updated date/time range for Person Gang Tracking in UTC |
range_end_utc | query | string | true | End of updated date/time range for Person Gang Tracking in UTC |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Update Tow Vehicle Release
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/reports/{report_id}/tow_vehicle_release \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/reports/{report_id}/tow_vehicle_release");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/reports/{report_id}/tow_vehicle_release',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/reports/{report_id}/tow_vehicle_release', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/reports/{report_id}/tow_vehicle_release HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/reports/{report_id}/tow_vehicle_release', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/reports/{report_id}/tow_vehicle_release',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/reports/{report_id}/tow_vehicle_release", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/reports/{report_id}/tow_vehicle_release";
string json = @"{
""additionalNotes"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""releaseBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""releaseDateUtc"": ""2019-08-24T14:15:22Z"",
""releaseType"": ""string"",
""releaseTypeOther"": ""string""
}";
ExternalTowVehicleRelease content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalTowVehicleRelease content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalTowVehicleRelease content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/reports/{report_id}/tow_vehicle_release
Updates a single Tow Vehicle Release. Request body is an ExternalTowVehicleRelease object with the updated values.
Body parameter
{
"additionalNotes": "string",
"externalId": "string",
"externalSystem": "string",
"releaseBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string"
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
report_id | path | integer(int64) | true | Report ID |
body | body | ExternalTowVehicleRelease | true | Tow Vehicle Release to be updated |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
Task Management Endpoints
GET: All Tasks for a Department
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/external/tasks \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/tasks");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/external/tasks',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/external/tasks', headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/external/tasks HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/external/tasks', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/tasks',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/external/tasks", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/tasks";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /external/tasks
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
start_date_utc | query | string | false | Filter by create date after this date in UTC |
end_date_utc | query | string | false | Filter by create date before this date in UTC |
offset | query | integer(int32) | false | Skip the return of previous results. |
size | query | integer(int32) | false | Size of results list to be returned |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Create a task
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/tasks \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/tasks");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/tasks',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/tasks', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/tasks HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/tasks', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"approvalStatusForCase": {
"name": "string",
"value": "string"
},
"assignee": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"clientApprovalStatus": "DRAFT",
"description": "string",
"dueDateInterval": "string",
"dueDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"itemTypeAttrDisplayAbbreviation": "string",
"itemTypeAttrId": 0,
"statusDateUtc": "2019-08-24T14:15:22Z",
"taskStatusDisplayAbbreviation": "string",
"taskStatusId": 0,
"title": "string"
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/tasks',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/tasks", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/tasks";
string json = @"{
""approvalStatusForCase"": {
""name"": ""string"",
""value"": ""string""
},
""assignee"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [
""string""
],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [
""string""
],
""signatureId"": 0,
""skills"": [
""string""
],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [
""string""
],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""clientApprovalStatus"": ""DRAFT"",
""description"": ""string"",
""dueDateInterval"": ""string"",
""dueDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""itemTypeAttrDisplayAbbreviation"": ""string"",
""itemTypeAttrId"": 0,
""statusDateUtc"": ""2019-08-24T14:15:22Z"",
""taskStatusDisplayAbbreviation"": ""string"",
""taskStatusId"": 0,
""title"": ""string""
}";
ExternalTask content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalTask content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalTask content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/tasks
Body parameter
{
"approvalStatusForCase": {
"name": "string",
"value": "string"
},
"assignee": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"clientApprovalStatus": "DRAFT",
"description": "string",
"dueDateInterval": "string",
"dueDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"itemTypeAttrDisplayAbbreviation": "string",
"itemTypeAttrId": 0,
"statusDateUtc": "2019-08-24T14:15:22Z",
"taskStatusDisplayAbbreviation": "string",
"taskStatusId": 0,
"title": "string"
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalTask | false | none |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
Vehicle Endpoints
POST: Search Master Vehicle Profiles
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/external/vehicle/search \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/external/vehicle/search");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/external/vehicle/search',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/external/vehicle/search', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/external/vehicle/search HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/external/vehicle/search', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"bodyStyleAttributeIds": [
0
],
"bodyStyleDisplayValues": [
"string"
],
"description": "string",
"maxYearOfManufacture": 0,
"minYearOfManufacture": 0,
"primaryColorAttributeIds": [
0
],
"primaryColorDisplayValues": [
"string"
],
"registrationStateAttributeIds": [
0
],
"registrationStateDisplayValues": [
"string"
],
"secondaryColorAttributeIds": [
0
],
"secondaryColorDisplayValues": [
"string"
],
"tag": "string",
"updatedDateRangeEndUtc": "2019-08-24T14:15:22Z",
"updatedDateRangeStartUtc": "2019-08-24T14:15:22Z",
"vehicleMakeNames": [
"string"
],
"vehicleMakeOthers": [
"string"
],
"vehicleModelNames": [
"string"
],
"vehicleModelOthers": [
"string"
],
"vinNumber": "string",
"yearOfManufacture": 0
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/external/vehicle/search',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/external/vehicle/search", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/external/vehicle/search";
string json = @"{
""bodyStyleAttributeIds"": [
0
],
""bodyStyleDisplayValues"": [
""string""
],
""description"": ""string"",
""maxYearOfManufacture"": 0,
""minYearOfManufacture"": 0,
""primaryColorAttributeIds"": [
0
],
""primaryColorDisplayValues"": [
""string""
],
""registrationStateAttributeIds"": [
0
],
""registrationStateDisplayValues"": [
""string""
],
""secondaryColorAttributeIds"": [
0
],
""secondaryColorDisplayValues"": [
""string""
],
""tag"": ""string"",
""updatedDateRangeEndUtc"": ""2019-08-24T14:15:22Z"",
""updatedDateRangeStartUtc"": ""2019-08-24T14:15:22Z"",
""vehicleMakeNames"": [
""string""
],
""vehicleMakeOthers"": [
""string""
],
""vehicleModelNames"": [
""string""
],
""vehicleModelOthers"": [
""string""
],
""vinNumber"": ""string"",
""yearOfManufacture"": 0
}";
ExternalVehicleSearchQuery content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalVehicleSearchQuery content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalVehicleSearchQuery content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /external/vehicle/search
Performs search of vehicles based on specified criteria.
Body parameter
{
"bodyStyleAttributeIds": [
0
],
"bodyStyleDisplayValues": [
"string"
],
"description": "string",
"maxYearOfManufacture": 0,
"minYearOfManufacture": 0,
"primaryColorAttributeIds": [
0
],
"primaryColorDisplayValues": [
"string"
],
"registrationStateAttributeIds": [
0
],
"registrationStateDisplayValues": [
"string"
],
"secondaryColorAttributeIds": [
0
],
"secondaryColorDisplayValues": [
"string"
],
"tag": "string",
"updatedDateRangeEndUtc": "2019-08-24T14:15:22Z",
"updatedDateRangeStartUtc": "2019-08-24T14:15:22Z",
"vehicleMakeNames": [
"string"
],
"vehicleMakeOthers": [
"string"
],
"vehicleModelNames": [
"string"
],
"vehicleModelOthers": [
"string"
],
"vinNumber": "string",
"yearOfManufacture": 0
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
size | query | integer(int32) | false | Max size of results set to return per page. Default & max value: 25 |
from | query | integer(int32) | false | Number of records to skip for paginated results |
body | body | ExternalVehicleSearchQuery | true | Vehicle search query |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
Warrant Endpoints
Warrant Endpoints
allow for interactions with court-issued warrants and warrant activities.
Agencies that rely on an electronic court interface can use these endpoints to populate warrants within the Mark43 Warrants Module.
For details on person, organization, item, and location object creation, see Additional Model Information.
GET: Warrants
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/partnerships/warrants?range_start_utc=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/partnerships/warrants?range_start_utc=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/partnerships/warrants',
params: {
'range_start_utc' => 'string'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/partnerships/warrants', params={
'range_start_utc': 'string'
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/partnerships/warrants?range_start_utc=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/partnerships/warrants', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/partnerships/warrants?range_start_utc=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/partnerships/warrants", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/partnerships/warrants";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /partnerships/warrants
Retrieves a list of warrants updated within a given date/time range.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
warrant_types | query | array[string] | false | Types of warrants to be returned |
range_start_utc | query | string | true | Start of updated date/time range for warrant in UTC |
range_end_utc | query | string | false | End of updated date/time range for warrant in UTC. Defaults to current date/time |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
PUT: Warrants
Code samples
# You can also use wget
curl -X PUT https://department.mark43.com/partnerships/api/partnerships/warrants \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/partnerships/warrants");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("PUT");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.put 'https://department.mark43.com/partnerships/api/partnerships/warrants',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.put('https://department.mark43.com/partnerships/api/partnerships/warrants', headers = headers)
print(r.json())
PUT https://department.mark43.com/partnerships/api/partnerships/warrants HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('PUT','https://department.mark43.com/partnerships/api/partnerships/warrants', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"arrestNotes": "string",
"arrestNumber": "string",
"attachments": [
{}
],
"bailAmount": 1500,
"courtCaseNumber": "string",
"enteredBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"enteredDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"hasNightService": true,
"internalWarrantWorkflowStatus": "string",
"internalWarrantWorkflowStatusDescription": "string",
"isOtherJurisdiction": true,
"issuingAgencyName": "string",
"issuingAgencyOri": "string",
"issuingCourtAddress": "string",
"issuingCourtName": "string",
"issuingCourtOri": "string",
"issuingCourtPhoneNumber": "string",
"issuingJudge": "string",
"mark43ArrestId": "string",
"noBail": true,
"obtainingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"obtainingOfficerFreeText": "string",
"originatingAgencyCaseNumber": "string",
"regionalMessageSwitchNumber": "string",
"reportingEventNumber": "string",
"warrantActivities": [
{}
],
"warrantAttributes": [
{}
],
"warrantCharges": [
{}
],
"warrantEntryLevelCode": "string",
"warrantEntryLevelCodeDescription": "string",
"warrantIssuedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"warrantNotes": "string",
"warrantNumber": "string",
"warrantReceivedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantStatus": "string",
"warrantStatusDateUtc": "2019-08-24T14:15:22Z",
"warrantSubject": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"warrantType": "string"
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/partnerships/warrants',
{
method: 'PUT',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("PUT", "https://department.mark43.com/partnerships/api/partnerships/warrants", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePutRequest()
{
int id = 1;
string url = "https://department.mark43.com/partnerships/api/partnerships/warrants";
string json = @"[
{
""arrestNotes"": ""string"",
""arrestNumber"": ""string"",
""attachments"": [
{}
],
""bailAmount"": 1500,
""courtCaseNumber"": ""string"",
""enteredBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""enteredDateUtc"": ""2019-08-24T14:15:22Z"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""hasNightService"": true,
""internalWarrantWorkflowStatus"": ""string"",
""internalWarrantWorkflowStatusDescription"": ""string"",
""isOtherJurisdiction"": true,
""issuingAgencyName"": ""string"",
""issuingAgencyOri"": ""string"",
""issuingCourtAddress"": ""string"",
""issuingCourtName"": ""string"",
""issuingCourtOri"": ""string"",
""issuingCourtPhoneNumber"": ""string"",
""issuingJudge"": ""string"",
""mark43ArrestId"": ""string"",
""noBail"": true,
""obtainingOfficer"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""obtainingOfficerFreeText"": ""string"",
""originatingAgencyCaseNumber"": ""string"",
""regionalMessageSwitchNumber"": ""string"",
""reportingEventNumber"": ""string"",
""warrantActivities"": [
{}
],
""warrantAttributes"": [
{}
],
""warrantCharges"": [
{}
],
""warrantEntryLevelCode"": ""string"",
""warrantEntryLevelCodeDescription"": ""string"",
""warrantIssuedDateUtc"": ""1990-11-20T03:17:00.000Z"",
""warrantLocation"": {
""additionalDescription"": ""string"",
""apartmentNumber"": ""string"",
""category"": ""string"",
""city"": ""string"",
""classifyFlag"": true,
""country"": ""string"",
""county"": ""string"",
""crossStreet1"": ""string"",
""crossStreet2"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""fireSubdivision1"": ""string"",
""fireSubdivision2"": ""string"",
""fireSubdivision3"": ""string"",
""fireSubdivision4"": ""string"",
""fireSubdivision5"": ""string"",
""fullAddress"": ""string"",
""ignoreValidations"": true,
""latitude"": 0,
""levelName"": ""string"",
""levelType"": ""string"",
""locationPropertyType"": ""string"",
""longitude"": 0,
""medicalSubdivision1"": ""string"",
""medicalSubdivision2"": ""string"",
""medicalSubdivision3"": ""string"",
""medicalSubdivision4"": ""string"",
""medicalSubdivision5"": ""string"",
""placeName"": ""string"",
""resolveLocationFlag"": true,
""state"": ""string"",
""statePlaneX"": 0,
""statePlaneY"": 0,
""statePlaneZone"": ""string"",
""streetAddress"": ""string"",
""streetName"": ""string"",
""streetNumber"": ""string"",
""subPremise"": ""string"",
""subdivision1"": ""string"",
""subdivision2"": ""string"",
""subdivision3"": ""string"",
""subdivision4"": ""string"",
""subdivision5"": ""string"",
""unitName"": ""string"",
""unitType"": ""string"",
""zip"": ""string""
},
""warrantNotes"": ""string"",
""warrantNumber"": ""string"",
""warrantReceivedDateUtc"": ""1990-11-20T03:17:00.000Z"",
""warrantStatus"": ""string"",
""warrantStatusDateUtc"": ""2019-08-24T14:15:22Z"",
""warrantSubject"": {
""additionalDetails"": {},
""build"": ""string"",
""citizenship"": ""string"",
""contextId"": 0,
""contextType"": ""WARRANT"",
""contextualId"": 0,
""dateOfBirth"": ""2019-08-24"",
""dateOfBirthRangeEnd"": ""2019-08-24"",
""dateOfBirthRangeStart"": ""2019-08-24"",
""dateOfDeath"": ""2019-08-24T14:15:22Z"",
""declaredDateOfDeath"": ""2019-08-24"",
""description"": ""string"",
""email"": ""string"",
""emailType"": ""string"",
""emails"": {},
""emergencyContacts"": [],
""employmentHistories"": [],
""ethnicity"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""eyeColor"": ""string"",
""facialHair"": ""string"",
""fbiNumber"": ""string"",
""firstName"": ""string"",
""hairColor"": ""string"",
""hairLength"": ""string"",
""hairStyle"": ""string"",
""hasNoFixedHomeAddress"": true,
""height"": 0,
""homeAddress"": {},
""homeAddresses"": [],
""identifyingMarks"": [],
""involvement"": ""INVOLVED_PERSON_IN_REPORT"",
""involvementSequenceNumber"": 0,
""isDateOfBirthUnknown"": true,
""isJuvenile"": true,
""isNonDisclosureRequest"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseStatus"": ""string"",
""licenseType"": ""string"",
""maritalStatus"": ""string"",
""mark43Id"": 0,
""masterId"": 0,
""maxHeight"": 0,
""maxWeight"": 0,
""middleName"": ""string"",
""minHeight"": 0,
""minWeight"": 0,
""mugshotWebServerFilePath"": ""string"",
""needsInterpreter"": true,
""nickname"": ""string"",
""nicknames"": [],
""otherIdentifiers"": {},
""personAttributes"": [],
""personGangTrackings"": [],
""personInjuries"": [],
""phoneNumber"": ""string"",
""phoneNumberType"": ""string"",
""phoneNumbers"": {},
""placeOfBirth"": ""string"",
""race"": ""string"",
""residentStatus"": ""string"",
""schoolHistories"": [],
""sex"": ""string"",
""skinTone"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string"",
""stateOfBirth"": ""string"",
""subjectType"": ""string"",
""subjectTypeDescription"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""vision"": ""string"",
""weight"": 0,
""workAddress"": {},
""workAddresses"": []
},
""warrantType"": ""string""
}
]";
ExternalWarrant content = JsonConvert.DeserializeObject(json);
var result = await PutAsync(id, content, url);
}
/// Performs a PUT Request
public async Task PutAsync(int id, ExternalWarrant content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute PUT request
HttpResponseMessage response = await Client.PutAsync(url + $"/{id}", jsonContent);
//Return response
return await DeserializeObject(response);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalWarrant content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
PUT /partnerships/warrants
Upserts warrants into the Mark43 Warrants Module based on warrant numbers.
Body parameter
[
{
"arrestNotes": "string",
"arrestNumber": "string",
"attachments": [
{}
],
"bailAmount": 1500,
"courtCaseNumber": "string",
"enteredBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"enteredDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"hasNightService": true,
"internalWarrantWorkflowStatus": "string",
"internalWarrantWorkflowStatusDescription": "string",
"isOtherJurisdiction": true,
"issuingAgencyName": "string",
"issuingAgencyOri": "string",
"issuingCourtAddress": "string",
"issuingCourtName": "string",
"issuingCourtOri": "string",
"issuingCourtPhoneNumber": "string",
"issuingJudge": "string",
"mark43ArrestId": "string",
"noBail": true,
"obtainingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"obtainingOfficerFreeText": "string",
"originatingAgencyCaseNumber": "string",
"regionalMessageSwitchNumber": "string",
"reportingEventNumber": "string",
"warrantActivities": [
{}
],
"warrantAttributes": [
{}
],
"warrantCharges": [
{}
],
"warrantEntryLevelCode": "string",
"warrantEntryLevelCodeDescription": "string",
"warrantIssuedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"zip": "string"
},
"warrantNotes": "string",
"warrantNumber": "string",
"warrantReceivedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantStatus": "string",
"warrantStatusDateUtc": "2019-08-24T14:15:22Z",
"warrantSubject": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"externalId": "string",
"externalSystem": "string",
"eyeColor": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"warrantType": "string"
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
disable_name_lookup | query | boolean | false | Allows name look-up to be disabled |
overwrite_activities | query | boolean | false | Enables overwriting warrant activities if upserting existing warrant |
overwrite_attributes | query | boolean | false | Enables overwriting warrant attributes if upserting existing warrant |
body | body | ExternalWarrant | true | The warrants to upsert |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Warrant Activities
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/partnerships/warrants/activities \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/partnerships/warrants/activities");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/partnerships/warrants/activities',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/partnerships/warrants/activities', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/partnerships/warrants/activities HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/partnerships/warrants/activities', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
{
"activityDateUtc": "2019-08-24T14:15:22Z",
"activityPerformedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"activityType": "string",
"activityTypeDescription": "string",
"externalId": "string",
"externalSystem": "string",
"notes": "string",
"warrantNumber": "string"
}
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/partnerships/warrants/activities',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/partnerships/warrants/activities", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/partnerships/warrants/activities";
string json = @"[
{
""activityDateUtc"": ""2019-08-24T14:15:22Z"",
""activityPerformedBy"": {
""actingRank"": ""string"",
""badgeNumber"": ""string"",
""branch"": ""string"",
""bureau"": ""string"",
""cityIdNumber"": ""string"",
""currentAssignmentDate"": ""2019-08-24T14:15:22Z"",
""currentDutyStatus"": ""string"",
""currentDutyStatusDate"": ""2019-08-24"",
""dateHired"": ""2019-08-24"",
""dateOfBirth"": ""2019-08-24"",
""departmentAgencyId"": 0,
""division"": ""string"",
""employeePhoneNumbers"": [],
""employeeTypeAbbrev"": ""string"",
""externalCadId"": ""string"",
""externalHrId"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""firstName"": ""string"",
""gender"": ""string"",
""height"": 0,
""isDisabled"": true,
""isSsoUser"": true,
""lastName"": ""string"",
""licenseNumber"": ""string"",
""mark43UserAccountRoleId"": 0,
""mark43UserGroup"": ""CALL_TAKER"",
""middleName"": ""string"",
""mobileId"": ""string"",
""officerEmploymentType"": ""string"",
""personnelUnit"": ""string"",
""primaryEmail"": ""string"",
""race"": ""string"",
""rank"": ""string"",
""roles"": [],
""signatureId"": 0,
""skills"": [],
""ssn"": ""string"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""stateIdNumber"": ""string"",
""suffix"": ""string"",
""title"": ""string"",
""trainingAbbreviations"": [],
""trainingIdNumber"": ""string"",
""updatedDateUtc"": ""2019-08-24T14:15:22Z"",
""weight"": 0,
""yearsOfExperience"": 0
},
""activityType"": ""string"",
""activityTypeDescription"": ""string"",
""externalId"": ""string"",
""externalSystem"": ""string"",
""notes"": ""string"",
""warrantNumber"": ""string""
}
]";
ExternalWarrantActivity content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalWarrantActivity content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalWarrantActivity content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /partnerships/warrants/activities
Creates new warrant activities without updating the warrant status.
Body parameter
[
{
"activityDateUtc": "2019-08-24T14:15:22Z",
"activityPerformedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"activityType": "string",
"activityTypeDescription": "string",
"externalId": "string",
"externalSystem": "string",
"notes": "string",
"warrantNumber": "string"
}
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalWarrantActivity | false | The warrant activities to create |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Warrants by Warrant Number
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/partnerships/warrants/numbers \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/partnerships/warrants/numbers");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/partnerships/warrants/numbers',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/partnerships/warrants/numbers', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/partnerships/warrants/numbers HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/partnerships/warrants/numbers', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '[
"string"
]';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/partnerships/warrants/numbers',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/partnerships/warrants/numbers", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/partnerships/warrants/numbers";
await PostAsync(null, url);
}
/// Performs a POST Request
public async Task PostAsync(undefined content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(undefined content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /partnerships/warrants/numbers
Retrieves a list of warrants with the provided warrant numbers.
Body parameter
[
"string"
]
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | array[string] | true | Warrant numbers for the warrants to be returned |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
POST: Search for warrants
Code samples
# You can also use wget
curl -X POST https://department.mark43.com/partnerships/api/partnerships/warrants/search \
-H 'Content-Type: application/json' \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/partnerships/warrants/search");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("POST");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Content-Type' => 'application/json',
'Accept' => 'application/json'
}
result = RestClient.post 'https://department.mark43.com/partnerships/api/partnerships/warrants/search',
params: {
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Content-Type': 'application/json',
'Accept': 'application/json'
}
r = requests.post('https://department.mark43.com/partnerships/api/partnerships/warrants/search', headers = headers)
print(r.json())
POST https://department.mark43.com/partnerships/api/partnerships/warrants/search HTTP/1.1
Content-Type: application/json
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Content-Type' => 'application/json',
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('POST','https://department.mark43.com/partnerships/api/partnerships/warrants/search', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const inputBody = '{
"courtCaseNumber": "string",
"isLinkedToArrest": true,
"issuingAgencyOri": "string",
"reportingEventNumbers": [
"string"
],
"subjectPerson": {
"dateOfBirth": "2019-08-24",
"ethnicity": "string",
"firstName": "string",
"identifyingMarks": [
{}
],
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseType": "string",
"personIdentifiers": {
"property1": "string",
"property2": "string"
},
"race": "string",
"ssn": "string",
"stateIdNumber": "string"
},
"warrantIssuedDateRange": {
"endDateUtc": "2019-08-24T14:15:22Z",
"startDateUtc": "2019-08-24T14:15:22Z",
"withinLastPeriod": "string"
},
"warrantNumber": [
"string"
],
"warrantType": "string",
"warrantUpdatedDateRange": {
"endDateUtc": "2019-08-24T14:15:22Z",
"startDateUtc": "2019-08-24T14:15:22Z",
"withinLastPeriod": "string"
}
}';
const headers = {
'Content-Type':'application/json',
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/partnerships/warrants/search',
{
method: 'POST',
body: inputBody,
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Content-Type": []string{"application/json"},
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("POST", "https://department.mark43.com/partnerships/api/partnerships/warrants/search", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakePostRequest()
{
string url = "https://department.mark43.com/partnerships/api/partnerships/warrants/search";
string json = @"{
""courtCaseNumber"": ""string"",
""isLinkedToArrest"": true,
""issuingAgencyOri"": ""string"",
""reportingEventNumbers"": [
""string""
],
""subjectPerson"": {
""dateOfBirth"": ""2019-08-24"",
""ethnicity"": ""string"",
""firstName"": ""string"",
""identifyingMarks"": [
{}
],
""lastName"": ""string"",
""licenseNumber"": ""string"",
""licenseState"": ""string"",
""licenseType"": ""string"",
""personIdentifiers"": {
""property1"": ""string"",
""property2"": ""string""
},
""race"": ""string"",
""ssn"": ""string"",
""stateIdNumber"": ""string""
},
""warrantIssuedDateRange"": {
""endDateUtc"": ""2019-08-24T14:15:22Z"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""withinLastPeriod"": ""string""
},
""warrantNumber"": [
""string""
],
""warrantType"": ""string"",
""warrantUpdatedDateRange"": {
""endDateUtc"": ""2019-08-24T14:15:22Z"",
""startDateUtc"": ""2019-08-24T14:15:22Z"",
""withinLastPeriod"": ""string""
}
}";
ExternalWarrantSearchQuery content = JsonConvert.DeserializeObject(json);
await PostAsync(content, url);
}
/// Performs a POST Request
public async Task PostAsync(ExternalWarrantSearchQuery content, string url)
{
//Serialize Object
StringContent jsonContent = SerializeObject(content);
//Execute POST request
HttpResponseMessage response = await Client.PostAsync(url, jsonContent);
}
/// Serialize an object to Json
private StringContent SerializeObject(ExternalWarrantSearchQuery content)
{
//Serialize Object
string jsonObject = JsonConvert.SerializeObject(content);
//Create Json UTF8 String Content
return new StringContent(jsonObject, Encoding.UTF8, "application/json");
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
POST /partnerships/warrants/search
Searches for warrants based on provided criteria.
Body parameter
{
"courtCaseNumber": "string",
"isLinkedToArrest": true,
"issuingAgencyOri": "string",
"reportingEventNumbers": [
"string"
],
"subjectPerson": {
"dateOfBirth": "2019-08-24",
"ethnicity": "string",
"firstName": "string",
"identifyingMarks": [
{}
],
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseType": "string",
"personIdentifiers": {
"property1": "string",
"property2": "string"
},
"race": "string",
"ssn": "string",
"stateIdNumber": "string"
},
"warrantIssuedDateRange": {
"endDateUtc": "2019-08-24T14:15:22Z",
"startDateUtc": "2019-08-24T14:15:22Z",
"withinLastPeriod": "string"
},
"warrantNumber": [
"string"
],
"warrantType": "string",
"warrantUpdatedDateRange": {
"endDateUtc": "2019-08-24T14:15:22Z",
"startDateUtc": "2019-08-24T14:15:22Z",
"withinLastPeriod": "string"
}
}
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
body | body | ExternalWarrantSearchQuery | false | Criteria on which to search for warrants |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
413 | Payload Too Large | Request body is too large | None |
422 | Unprocessable Entity | Invalid entity | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
GET: All Warrants with a Given Status
Code samples
# You can also use wget
curl -X GET https://department.mark43.com/partnerships/api/partnerships/warrants/status?warrant_statuses=string \
-H 'Accept: application/json'
URL obj = new URL("https://department.mark43.com/partnerships/api/partnerships/warrants/status?warrant_statuses=string");
HttpURLConnection con = (HttpURLConnection) obj.openConnection();
con.setRequestMethod("GET");
int responseCode = con.getResponseCode();
BufferedReader in = new BufferedReader(
new InputStreamReader(con.getInputStream()));
String inputLine;
StringBuffer response = new StringBuffer();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
require 'rest-client'
require 'json'
headers = {
'Accept' => 'application/json'
}
result = RestClient.get 'https://department.mark43.com/partnerships/api/partnerships/warrants/status',
params: {
'warrant_statuses' => 'array[string]'
}, headers: headers
p JSON.parse(result)
import requests
headers = {
'Accept': 'application/json'
}
r = requests.get('https://department.mark43.com/partnerships/api/partnerships/warrants/status', params={
'warrant_statuses': [
"string"
]
}, headers = headers)
print(r.json())
GET https://department.mark43.com/partnerships/api/partnerships/warrants/status?warrant_statuses=string HTTP/1.1
Accept: application/json
<?php
require 'vendor/autoload.php';
$headers = array(
'Accept' => 'application/json',
);
$client = new \GuzzleHttp\Client();
// Define array of request body.
$request_body = array();
try {
$response = $client->request('GET','https://department.mark43.com/partnerships/api/partnerships/warrants/status', array(
'headers' => $headers,
'json' => $request_body,
)
);
print_r($response->getBody()->getContents());
}
catch (\GuzzleHttp\Exception\BadResponseException $e) {
// handle exception or api errors.
print_r($e->getMessage());
}
// ...
const headers = {
'Accept':'application/json'
};
fetch('https://department.mark43.com/partnerships/api/partnerships/warrants/status?warrant_statuses=string',
{
method: 'GET',
headers: headers
})
.then(function(res) {
return res.json();
}).then(function(body) {
console.log(body);
});
package main
import (
"bytes"
"net/http"
)
func main() {
headers := map[string][]string{
"Accept": []string{"application/json"},
}
data := bytes.NewBuffer([]byte{jsonReq})
req, err := http.NewRequest("GET", "https://department.mark43.com/partnerships/api/partnerships/warrants/status", data)
req.Header = headers
client := &http.Client{}
resp, err := client.Do(req)
// ...
}
using System;
using System.Collections.Generic;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
/// <<summary>>
/// Example of Http Client
/// <</summary>>
public class HttpExample
{
private HttpClient Client { get; set; }
/// <<summary>>
/// Setup http client
/// <</summary>>
public HttpExample()
{
Client = new HttpClient();
}
/// Make a dummy request
public async Task MakeGetRequest()
{
string url = "https://department.mark43.com/partnerships/api/partnerships/warrants/status";
var result = await GetAsync(url);
}
/// Performs a GET Request
public async Task GetAsync(string url)
{
//Start the request
HttpResponseMessage response = await Client.GetAsync(url);
//Validate result
response.EnsureSuccessStatusCode();
}
/// Deserialize object from request response
private async Task DeserializeObject(HttpResponseMessage response)
{
//Read body
string responseBody = await response.Content.ReadAsStringAsync();
//Deserialize Body to object
var result = JsonConvert.DeserializeObject(responseBody);
}
}
GET /partnerships/warrants/status
Retrieves a list of all warrants with the given status.
Parameters
Name | In | Type | Required | Description |
---|---|---|---|---|
warrant_statuses | query | array[string] | true | Warrant statuses to retrieve |
from | query | integer(int32) | false | Number of records to skip for paginated results. Default value: 0 |
size | query | integer(int32) | false | Max size of results set to return. Default and max value: 25 |
Example responses
Responses
Status | Meaning | Description | Model |
---|---|---|---|
200 | OK | Successful operation | None |
304 | Not Modified | Not modified | None |
400 | Bad Request | Bad arguments to this resource | None |
401 | Unauthorized | Unauthorized access to this operation | None |
403 | Forbidden | Insufficient permissions to perform this operation | None |
404 | Not Found | Could not find resource | None |
500 | Internal Server Error | Internal server error | None |
Response Schema
Models
This is a full index of the models
used in the creation and retrieval of objects in Mark43. For specifics on person, organization, item, and location objects,
see: Additional Model Information.
ApiResult
{
"data": {},
"error": "string",
"success": true
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
data | object | false | none | none |
error | string | false | none | none |
success | boolean | true | none | none |
ApprovalStatusForCase
{
"name": "string",
"value": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
name | string | true | none | none |
value | string(byte) | true | none | none |
BodyPart
{
"contentDisposition": {
"creationDate": "2019-08-24T14:15:22Z",
"fileName": "string",
"modificationDate": "2019-08-24T14:15:22Z",
"parameters": {
"property1": "string",
"property2": "string"
},
"readDate": "2019-08-24T14:15:22Z",
"size": 0,
"type": "string"
},
"entity": {},
"headers": {
"property1": [
"string"
],
"property2": [
"string"
]
},
"mediaType": {
"parameters": {
"property1": "string",
"property2": "string"
},
"subtype": "string",
"type": "string",
"wildcardSubtype": true,
"wildcardType": true
},
"messageBodyWorkers": {},
"parameterizedHeaders": {
"property1": [
{}
],
"property2": [
{}
]
},
"parent": {
"bodyParts": [
{}
],
"contentDisposition": {
"creationDate": "2019-08-24T14:15:22Z",
"fileName": "string",
"modificationDate": "2019-08-24T14:15:22Z",
"parameters": {},
"readDate": "2019-08-24T14:15:22Z",
"size": 0,
"type": "string"
},
"entity": {},
"headers": {
"property1": [],
"property2": []
},
"mediaType": {
"parameters": {},
"subtype": "string",
"type": "string",
"wildcardSubtype": true,
"wildcardType": true
},
"messageBodyWorkers": {},
"parameterizedHeaders": {
"property1": [],
"property2": []
},
"parent": {
"bodyParts": [],
"contentDisposition": {},
"entity": {},
"headers": {},
"mediaType": {},
"messageBodyWorkers": {},
"parameterizedHeaders": {},
"parent": {},
"providers": {}
},
"providers": {}
},
"providers": {}
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
contentDisposition | ContentDisposition | true | none | none |
entity | object | true | none | none |
headers | object | true | none | none |
» additionalProperties | [string] | false | none | none |
mediaType | MediaType | true | none | none |
messageBodyWorkers | MessageBodyWorkers | true | none | none |
parameterizedHeaders | object | true | none | none |
» additionalProperties | [ParameterizedHeader] | false | none | none |
parent | MultiPart | true | none | none |
providers | Providers | true | none | none |
CadPhoneCall
{
"agencyId": 0,
"cadCallInputAttrId": 0,
"callCenterName": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callTakerId": 0,
"callTakerStationAttrId": 0,
"callerAddress": "string",
"callerLocationArea": "string",
"callerName": "string",
"callerSubPremise": "string",
"classOfService": "string",
"companyId": "string",
"confidencePercentage": "string",
"createdBy": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"departmentId": 0,
"externalCallTakerStationId": "string",
"externalPhoneCallId": "string",
"id": 0,
"latitude": 0,
"longitude": 0,
"phoneNumberId": 0,
"phoneNumberRaw": "string",
"phoneServiceArea": "string",
"phoneServiceStatusAttrId": 0,
"pilotPhoneNumberId": 0,
"pilotPhoneNumberRaw": "string",
"rawData": "string",
"retryCount": 0,
"rmsEventId": 0,
"subscriberBuildingFloor": "string",
"subscriberBuildingLocation": "string",
"subscriberBuildingName": "string",
"uncertaintyFactor": "string",
"updatedBy": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"uqKey": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
agencyId | integer(int64) | true | none | none |
cadCallInputAttrId | integer(int64) | true | none | none |
callCenterName | string | false | none | none |
callDateUtc | string(date-time) | false | none | none |
callTakerId | integer(int64) | false | none | none |
callTakerStationAttrId | integer(int64) | false | none | none |
callerAddress | string | false | none | none |
callerLocationArea | string | false | none | none |
callerName | string | false | none | none |
callerSubPremise | string | false | none | none |
classOfService | string | false | none | none |
companyId | string | false | none | none |
confidencePercentage | string | false | none | none |
createdBy | integer(int64) | true | none | none |
createdDateUtc | string(date-time) | true | none | none |
departmentId | integer(int64) | true | none | none |
externalCallTakerStationId | string | false | none | none |
externalPhoneCallId | string | false | none | none |
id | integer(int64) | true | none | none |
latitude | number(double) | false | none | none |
longitude | number(double) | false | none | none |
phoneNumberId | integer(int64) | false | none | none |
phoneNumberRaw | string | false | none | none |
phoneServiceArea | string | false | none | none |
phoneServiceStatusAttrId | integer(int64) | false | none | none |
pilotPhoneNumberId | integer(int64) | false | none | none |
pilotPhoneNumberRaw | string | false | none | none |
rawData | string | true | none | none |
retryCount | integer(int32) | false | none | none |
rmsEventId | integer(int64) | true | none | none |
subscriberBuildingFloor | string | false | none | none |
subscriberBuildingLocation | string | false | none | none |
subscriberBuildingName | string | false | none | none |
uncertaintyFactor | string | false | none | none |
updatedBy | integer(int64) | true | none | none |
updatedDateUtc | string(date-time) | true | none | none |
uqKey | string | true | none | none |
ContentDisposition
{
"creationDate": "2019-08-24T14:15:22Z",
"fileName": "string",
"modificationDate": "2019-08-24T14:15:22Z",
"parameters": {
"property1": "string",
"property2": "string"
},
"readDate": "2019-08-24T14:15:22Z",
"size": 0,
"type": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
creationDate | string(date-time) | true | none | none |
fileName | string | true | none | none |
modificationDate | string(date-time) | true | none | none |
parameters | object | true | none | none |
» additionalProperties | string | false | none | none |
readDate | string(date-time) | true | none | none |
size | integer(int64) | true | none | none |
type | string | true | none | none |
E911Call
{
"agencyCode": "string",
"callCenterName": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callerAddress": "string",
"callerLocationArea": "string",
"callerName": "string",
"callerSubPremise": "string",
"callingPhoneNumber": "string",
"classOfService": "strin",
"companyId": "string",
"confidencePercentage": "str",
"countryCode": "UNDEFINED",
"e911StationId": "string",
"ems": "string",
"externalCallTakerStationId": "string",
"externalPhoneCallId": "string",
"fire": "string",
"latitude": 0,
"longitude": 0,
"phoneNumber": "string",
"phoneServiceArea": "string",
"phoneServiceStatusCode": "string",
"pilotNumber": "string",
"pilotPhoneNumber": "string",
"police": "string",
"rawData": "string",
"rawE911Buffer": "string",
"retryCount": 0,
"source": "string",
"sourceSystemCode": "string",
"stationId": "string",
"subscriberAddressType": "string",
"subscriberBuildingFloor": "string",
"subscriberBuildingLocation": "string",
"subscriberBuildingName": "string",
"subscriberLocality": "string",
"subscriberLocationDetails": "string",
"subscriberName": "string",
"subscriberStateCode": "st",
"subscriberStreetDirection": "str",
"subscriberStreetDirectionPreFix": "str",
"subscriberStreetName": "string",
"subscriberStreetNumber": "string",
"subscriberStreetNumberTrailer": "stri",
"subscriberStreetSuffix": "stri",
"subscriberUnitNumber": "string",
"telcoComment": "string",
"towerAltitude": "string",
"towerLatitude": 0,
"towerLongitude": 0,
"uncertaintyFactor": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
agencyCode | string | false | none | none |
callCenterName | string | false | none | none |
callDateUtc | string(date-time) | false | none | none |
callerAddress | string | false | none | none |
callerLocationArea | string | false | none | none |
callerName | string | false | none | none |
callerSubPremise | string | false | none | none |
callingPhoneNumber | string | false | none | none |
classOfService | string | false | none | none |
companyId | string | false | none | none |
confidencePercentage | string | false | none | none |
countryCode | string | true | none | none |
e911StationId | string | false | none | none |
ems | string | false | none | none |
externalCallTakerStationId | string | false | none | none |
externalPhoneCallId | string | false | none | none |
fire | string | false | none | none |
latitude | number(double) | false | none | none |
longitude | number(double) | false | none | none |
phoneNumber | string | false | none | none |
phoneServiceArea | string | false | none | none |
phoneServiceStatusCode | string | false | none | none |
pilotNumber | string | false | none | none |
pilotPhoneNumber | string | false | none | none |
police | string | false | none | none |
rawData | string | true | none | none |
rawE911Buffer | string | true | none | none |
retryCount | integer(int32) | false | none | none |
source | string | false | none | none |
sourceSystemCode | string | false | none | none |
stationId | string | false | none | none |
subscriberAddressType | string | false | none | none |
subscriberBuildingFloor | string | false | none | none |
subscriberBuildingLocation | string | false | none | none |
subscriberBuildingName | string | false | none | none |
subscriberLocality | string | false | none | none |
subscriberLocationDetails | string | false | none | none |
subscriberName | string | false | none | none |
subscriberStateCode | string | false | none | none |
subscriberStreetDirection | string | false | none | none |
subscriberStreetDirectionPreFix | string | false | none | none |
subscriberStreetName | string | false | none | none |
subscriberStreetNumber | string | false | none | none |
subscriberStreetNumberTrailer | string | false | none | none |
subscriberStreetSuffix | string | false | none | none |
subscriberUnitNumber | string | false | none | none |
telcoComment | string | false | none | none |
towerAltitude | string | false | none | none |
towerLatitude | number(double) | false | none | none |
towerLongitude | number(double) | false | none | none |
uncertaintyFactor | string | false | none | none |
Allowable Values
Property | Value |
---|---|
countryCode | UNDEFINED |
countryCode | AC |
countryCode | AD |
countryCode | AE |
countryCode | AF |
countryCode | AG |
countryCode | AI |
countryCode | AL |
countryCode | AM |
countryCode | AN |
countryCode | AO |
countryCode | AQ |
countryCode | AR |
countryCode | AS |
countryCode | AT |
countryCode | AU |
countryCode | AW |
countryCode | AX |
countryCode | AZ |
countryCode | BA |
countryCode | BB |
countryCode | BD |
countryCode | BE |
countryCode | BF |
countryCode | BG |
countryCode | BH |
countryCode | BI |
countryCode | BJ |
countryCode | BL |
countryCode | BM |
countryCode | BN |
countryCode | BO |
countryCode | BQ |
countryCode | BR |
countryCode | BS |
countryCode | BT |
countryCode | BU |
countryCode | BV |
countryCode | BW |
countryCode | BY |
countryCode | BZ |
countryCode | CA |
countryCode | CC |
countryCode | CD |
countryCode | CF |
countryCode | CG |
countryCode | CH |
countryCode | CI |
countryCode | CK |
countryCode | CL |
countryCode | CM |
countryCode | CN |
countryCode | CO |
countryCode | CP |
countryCode | CR |
countryCode | CS |
countryCode | CU |
countryCode | CV |
countryCode | CW |
countryCode | CX |
countryCode | CY |
countryCode | CZ |
countryCode | DE |
countryCode | DG |
countryCode | DJ |
countryCode | DK |
countryCode | DM |
countryCode | DO |
countryCode | DZ |
countryCode | EA |
countryCode | EC |
countryCode | EE |
countryCode | EG |
countryCode | EH |
countryCode | ER |
countryCode | ES |
countryCode | ET |
countryCode | EU |
countryCode | FI |
countryCode | FJ |
countryCode | FK |
countryCode | FM |
countryCode | FO |
countryCode | FR |
countryCode | FX |
countryCode | GA |
countryCode | GB |
countryCode | GD |
countryCode | GE |
countryCode | GF |
countryCode | GG |
countryCode | GH |
countryCode | GI |
countryCode | GL |
countryCode | GM |
countryCode | GN |
countryCode | GP |
countryCode | GQ |
countryCode | GR |
countryCode | GS |
countryCode | GT |
countryCode | GU |
countryCode | GW |
countryCode | GY |
countryCode | HK |
countryCode | HM |
countryCode | HN |
countryCode | HR |
countryCode | HT |
countryCode | HU |
countryCode | IC |
countryCode | ID |
countryCode | IE |
countryCode | IL |
countryCode | IM |
countryCode | IN |
countryCode | IO |
countryCode | IQ |
countryCode | IR |
countryCode | IS |
countryCode | IT |
countryCode | JE |
countryCode | JM |
countryCode | JO |
countryCode | JP |
countryCode | KE |
countryCode | KG |
countryCode | KH |
countryCode | KI |
countryCode | KM |
countryCode | KN |
countryCode | KP |
countryCode | KR |
countryCode | KW |
countryCode | KY |
countryCode | KZ |
countryCode | LA |
countryCode | LB |
countryCode | LC |
countryCode | LI |
countryCode | LK |
countryCode | LR |
countryCode | LS |
countryCode | LT |
countryCode | LU |
countryCode | LV |
countryCode | LY |
countryCode | MA |
countryCode | MC |
countryCode | MD |
countryCode | ME |
countryCode | MF |
countryCode | MG |
countryCode | MH |
countryCode | MK |
countryCode | ML |
countryCode | MM |
countryCode | MN |
countryCode | MO |
countryCode | MP |
countryCode | MQ |
countryCode | MR |
countryCode | MS |
countryCode | MT |
countryCode | MU |
countryCode | MV |
countryCode | MW |
countryCode | MX |
countryCode | MY |
countryCode | MZ |
countryCode | NA |
countryCode | NC |
countryCode | NE |
countryCode | NF |
countryCode | NG |
countryCode | NI |
countryCode | NL |
countryCode | NO |
countryCode | NP |
countryCode | NR |
countryCode | NT |
countryCode | NU |
countryCode | NZ |
countryCode | OM |
countryCode | PA |
countryCode | PE |
countryCode | PF |
countryCode | PG |
countryCode | PH |
countryCode | PK |
countryCode | PL |
countryCode | PM |
countryCode | PN |
countryCode | PR |
countryCode | PS |
countryCode | PT |
countryCode | PW |
countryCode | PY |
countryCode | QA |
countryCode | RE |
countryCode | RO |
countryCode | RS |
countryCode | RU |
countryCode | RW |
countryCode | SA |
countryCode | SB |
countryCode | SC |
countryCode | SD |
countryCode | SE |
countryCode | SF |
countryCode | SG |
countryCode | SH |
countryCode | SI |
countryCode | SJ |
countryCode | SK |
countryCode | SL |
countryCode | SM |
countryCode | SN |
countryCode | SO |
countryCode | SR |
countryCode | SS |
countryCode | ST |
countryCode | SU |
countryCode | SV |
countryCode | SX |
countryCode | SY |
countryCode | SZ |
countryCode | TA |
countryCode | TC |
countryCode | TD |
countryCode | TF |
countryCode | TG |
countryCode | TH |
countryCode | TJ |
countryCode | TK |
countryCode | TL |
countryCode | TM |
countryCode | TN |
countryCode | TO |
countryCode | TP |
countryCode | TR |
countryCode | TT |
countryCode | TV |
countryCode | TW |
countryCode | TZ |
countryCode | UA |
countryCode | UG |
countryCode | UK |
countryCode | UM |
countryCode | US |
countryCode | UY |
countryCode | UZ |
countryCode | VA |
countryCode | VC |
countryCode | VE |
countryCode | VG |
countryCode | VI |
countryCode | VN |
countryCode | VU |
countryCode | WF |
countryCode | WS |
countryCode | XK |
countryCode | YE |
countryCode | YT |
countryCode | YU |
countryCode | ZA |
countryCode | ZM |
countryCode | ZR |
countryCode | ZW |
EntityType
{
"cadentityType": true,
"dataExchangeEntityType": true,
"elasticSearchEntityType": true,
"evidenceEntityType": true,
"name": "string",
"rmsentityType": true,
"schemaLocation": "string",
"securityEntityType": true,
"value": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
cadentityType | boolean | true | none | none |
dataExchangeEntityType | boolean | true | none | none |
elasticSearchEntityType | boolean | true | none | none |
evidenceEntityType | boolean | true | none | none |
name | string | true | none | none |
rmsentityType | boolean | true | none | none |
schemaLocation | string | true | none | none |
securityEntityType | boolean | true | none | none |
value | integer(int32) | true | none | none |
ExternalArrest
{
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{
"chargeCount": 0,
"chargeOffenseCode": {},
"chargeStatus": "string",
"collateralBondAmountPaid": 0,
"collateralBondReceiptNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"disposition": "string",
"dispositionDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isSealed": true,
"isVacated": true,
"juvenileDisposition": "string",
"juvenileDispositionDateUtc": "2019-08-24T14:15:22Z",
"legacyCharge": "string",
"legacyChargeSource": "string",
"legacyEventNumber": "string",
"mark43Id": 0,
"offense": {},
"offenseOrder": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"warrant": {}
}
],
"codefendants": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"complainantOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"complainantPeople": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"defendant": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"workAddresses": [
{}
]
},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"mark43Id": 0,
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents an Arrest Record
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
advisedRights | boolean | false | none | Indicates whether defendant has been advised of their Miranda Rights |
advisedRightsDateUtc | string(date-time) | false | none | Date/time the defendant was advised of their Miranda Rights in UTC |
advisedRightsLocation | string | false | none | Free-text field to denote the location where defendant was advised of their Miranda Rights |
advisedRightsOfficer | ExternalUser | false | none | Officer who advised the defendant of their Miranda Rights |
advisedRightsResponse | string | false | none | Display abbreviation of attribute indicating how defendant responded to their Miranda Rights being read to them. Attribute Type: Advised Rights Response |
advisedRightsResponseDescription | string | false | none | Advised rights response description |
arrestDateUtc | string(date-time) | true | none | Date/time of the arrest in UTC |
arrestLocation | ExternalLocation | true | none | Location of the arrest |
arrestStatistics | [string] | false | none | Display abbreviations of Arrest Statistics Attributes for an arrest. Attribute Type: Arrest Statistics |
arrestTactics | [string] | false | none | Display abbreviations of Arrest Tactics used during and arrest. Attribute Type: Arrest Tactics |
arrestType | string | true | none | Display abbreviation of attribute for Arrest Type. Attribute Type: Arrest Type |
arresteeArmedWith | [string] | false | none | Display abbreviations of Arrestee Was Armed With Attributes for an arrest. Attribute Type: Arrestee Was Armed With |
arrestingAgency | string | false | none | Display abbreviation of attribute for agency performing the arrest. Attribute Type: Arresting Agency |
arrestingOfficer | ExternalUser | true | none | Officer who made the arrest |
bailAmount | number(double) | false | none | Bail amount set by the judge |
charges | [ExternalCharge] | true | none | Charges on the arrest |
codefendants | [ExternalPerson] | false | none | Co-defendants are other involved persons who were arrested at the same time |
complainantOrganizations | [ExternalOrganization] | false | none | Organization complainants on the arrest |
complainantPeople | [ExternalPerson] | false | none | Person complainants on the arrest |
courtDateUtc | string(date-time) | false | none | Date/time of court case in UTC |
courtName | string | false | none | Name of the court |
courtRoomNumber | string | false | none | Court room number where the case took place |
courtType | string | false | none | Display abbreviation of attribute for type of court where the proceedings were held. Attribute Type: Court Type |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
defendant | ExternalPerson | true | none | Person who was arrested |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
involvedFirearms | [ExternalFirearm] | false | none | Firearms involved in the arrest |
involvedProperty | [ExternalItemBase] | false | none | Items involved in the arrest |
involvedVehicles | [ExternalVehicle] | false | none | Vehicles involved in the arrest |
isJuvenile | boolean | true | none | True if juvenile information should be recorded for the defendant. This field is deprecated and has been moved to the ExternalPerson model |
judgeName | string | false | none | Name of the judge |
juvenileTriedAsAdult | boolean | false | none | True if juvenile was tried as an adult |
juvenileTriedAsAdultNotes | string | false | none | Notes as to why juvenile was tried as an adult |
localId | string | true | none | Local identifier for the arrest (e.g. Arrest Number) |
lockupDateUtc | string(date-time) | false | none | Date/time when defendant entered cell block in UTC |
lockupLocation | string | false | none | Defendant's cell block number while in lockup |
lockupNumber | string | false | none | Defendant's lockup list number |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
nibrsCode | string | false | none | NIBRS Offense Code |
placeDetained | string | false | none | Display abbreviation of attribute for the place where defendant was committed/detained prior to court proceedings. Attribute Type: Court Case Place Detained At |
placeDetainedAtDescription | string | false | none | Place committed/detained value if Place Detained Attribute is 'Other' |
releasedByOfficer | ExternalUser | false | none | Officer who released the defendant |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalAssistingOfficer
{
"assistType": "string",
"assistingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
}
Model that represents an assisting officer
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
assistType | string | true | none | Display value of attribute for officer assist type associated with the report. Attribute Type: Officer Assist Type |
assistingOfficer | ExternalUser | true | none | Assisting officer name and ID number(s). Used to search for officer profile |
ExternalAttachment
{
"attachmentType": {
"cadentityType": true,
"dataExchangeEntityType": true,
"elasticSearchEntityType": true,
"evidenceEntityType": true,
"name": "string",
"rmsentityType": true,
"schemaLocation": "string",
"securityEntityType": true,
"value": 0
},
"createdDateUtc": "2019-08-24T14:15:22Z",
"entityType": {
"cadentityType": true,
"dataExchangeEntityType": true,
"elasticSearchEntityType": true,
"evidenceEntityType": true,
"name": "string",
"rmsentityType": true,
"schemaLocation": "string",
"securityEntityType": true,
"value": 0
},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fileId": 0,
"fileName": "string",
"fileType": "CSV",
"fileWebServerPath": "string",
"linkType": "INVOLVED_PERSON_IN_REPORT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents an attachment
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
attachmentType | EntityType | false | none | Attachment type (e.g. FILE, IMAGE) |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
entityType | EntityType | false | none | Entity type associated with attachment |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
fileId | integer(int64) | false | none | File ID associated with attachment |
fileName | string | false | none | File name of attachment |
fileType | string | false | none | File type of attachment |
fileWebServerPath | string | false | none | Path to directly access attachment. Valid until end of day, the day after generation |
linkType | string | false | none | Link type to entity associated with attachment |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
fileType | CSV |
fileType | TXT |
fileType | RTF |
fileType | XML |
fileType | JSON |
fileType | HTML |
fileType | VCF |
fileType | JS |
fileType | URL |
fileType | |
fileType | MP3 |
fileType | M4A |
fileType | WAV |
fileType | WMA |
fileType | AMR |
fileType | _3G2 |
fileType | AAC |
fileType | MPGA |
fileType | AIFF |
fileType | RA |
fileType | ZIP |
fileType | RAR |
fileType | GZ |
fileType | _7Z |
fileType | WMV |
fileType | AVI |
fileType | MP4 |
fileType | MOV |
fileType | MPEG |
fileType | M4V |
fileType | ASF |
fileType | _3GP |
fileType | DVR |
fileType | VOB |
fileType | FLV |
fileType | UVH |
fileType | UVM |
fileType | UVU |
fileType | MXF |
fileType | F4V |
fileType | M2V |
fileType | JPG |
fileType | GIF |
fileType | PNG |
fileType | TIFF |
fileType | BMP |
fileType | JFIF |
fileType | PSD |
fileType | DNG |
fileType | AI |
fileType | WEBP |
fileType | HEIF |
fileType | ARW |
fileType | CR2 |
fileType | NEF |
fileType | ICO |
fileType | PCX |
fileType | EPS |
fileType | CRW |
fileType | ORF |
fileType | RAF |
fileType | RW2 |
fileType | SRW |
fileType | RWL |
fileType | JP2 |
fileType | JPF |
fileType | DOC |
fileType | DOCX |
fileType | DOTX |
fileType | MSG |
fileType | POTX |
fileType | PPSX |
fileType | PPT |
fileType | PPTX |
fileType | XLS |
fileType | XLSX |
fileType | XLTX |
fileType | DOCM |
fileType | DOTM |
fileType | MHT |
fileType | ONE |
fileType | POTM |
fileType | PPAM |
fileType | PPSM |
fileType | PPTM |
fileType | XLAM |
fileType | XLSB |
fileType | XLSM |
fileType | XLTM |
fileType | DOT |
fileType | EDD |
fileType | LOG |
fileType | SHP |
fileType | SIG |
fileType | SMI |
fileType | DLL |
fileType | EXE |
fileType | OFM |
fileType | FR |
fileType | NWT |
fileType | THJ |
fileType | DAT |
fileType | DBF |
fileType | MUG |
fileType | THMX |
fileType | TMP |
fileType | MM |
fileType | BIN |
fileType | VBS |
fileType | RDP |
fileType | ISO |
fileType | DMG |
fileType | ADE |
fileType | ADP |
fileType | BAT |
fileType | CHM |
fileType | CMD |
fileType | COM |
fileType | CPL |
fileType | HTA |
fileType | INS |
fileType | ISP |
fileType | JAR |
fileType | JSE |
fileType | LIB |
fileType | LNK |
fileType | MDE |
fileType | MSC |
fileType | MSI |
fileType | MSP |
fileType | MST |
fileType | NSH |
fileType | PIF |
fileType | SCR |
fileType | SCT |
fileType | SHB |
fileType | SYS |
fileType | VB |
fileType | VBE |
fileType | VXD |
fileType | WSC |
fileType | WSF |
fileType | WSH |
fileType | CAB |
fileType | NIST |
fileType | CDRX |
linkType | INVOLVED_PERSON_IN_REPORT |
linkType | INVOLVED_ORG_IN_REPORT |
linkType | OTHER_NAME_IN_REPORT |
linkType | OTHER_NAME_IN_OFFENSE |
linkType | OTHER_LOCATION_IN_REPORT |
linkType | MISSING_PERSON_IN_REPORT |
linkType | LAST_KNOWN_CONTACT_IN_REPORT |
linkType | SUBJECT_IN_FIELD_CONTACT |
linkType | SUBJECT_IN_COMMUNITY_INFORMATION |
linkType | REPORTING_PARTY_IN_REPORT |
linkType | WITNESS_IN_REPORT |
linkType | VICTIM_IN_REPORT |
linkType | SUSPECT_IN_REPORT |
linkType | NON_MOTORIST |
linkType | PERSON_IN_VEHICLE |
linkType | CO_DEFENDANT |
linkType | ORGANIZATION_IN_FIELD_CONTACT |
linkType | VICTIM_IN_OFFENSE |
linkType | SUSPECT_IN_OFFENSE |
linkType | WITNESS_IN_OFFENSE |
linkType | SUBJECT_IN_OFFENSE |
linkType | SUBJECT_IN_USE_OF_FORCE |
linkType | COMPLAINANT_IN_REPORT |
linkType | BUSINESS_BUSINESS |
linkType | TIED_TO |
linkType | EMPLOYEE |
linkType | RELATIONSHIP_TO_ORGANIZATION_UNKNOWN |
linkType | STEP_PARENT_OF |
linkType | SIBLING_OF |
linkType | CHILD_OF |
linkType | EMPLOYEE_OF |
linkType | ENGAGED_TO |
linkType | FRIEND_OF |
linkType | RELATED_TO |
linkType | SPOUSE_OF |
linkType | ACQUAINTANCE_OF |
linkType | SIGNIFICANT_OTHER_OF |
linkType | COMMON_LAW_SPOUSE |
linkType | GRANDCHILD_OF |
linkType | STEP_SIBLING_OF |
linkType | NEIGHBOR_OF |
linkType | BABYSITTER_OF |
linkType | EX_SPOUSE_OF |
linkType | IN_LAW_OF |
linkType | CHILD_OF_SIGNIFICANT_OTHER |
linkType | STRANGER_OF |
linkType | RELATIONSHIP_UNKNOWN |
linkType | EX_SIGNIFICANT_OTHER_OF |
linkType | ASSOCIATE_OF |
linkType | COWORKER_OF |
linkType | ENEMY_OF |
linkType | CARETAKER_OF |
linkType | GUARDIAN_OF |
linkType | LOVER_OF |
linkType | PLAYS_WITH |
linkType | SELLS_TO |
linkType | LIVES_WITH |
linkType | HAS_CHILD_WITH |
linkType | STOLE_IDENTITY_OF |
linkType | OTHERWISE_KNOWN |
linkType | ESTRANGED_SPOUSE_OF |
linkType | NON_MARRIED_LIVE_IN |
linkType | FOSTER_CHILD_OF |
linkType | FOSTER_SIBLING_OF |
linkType | STUDENT_OF |
linkType | CLIENT_OF |
linkType | PARENT_IN_LAW_OF |
linkType | SIBLING_IN_LAW_OF |
linkType | GANG_MEMBER_WITH |
linkType | EX_EMPLOYEE_OF |
linkType | CHILD_OF_BOYFRIEND_OF |
linkType | CHILD_OF_GIRLFRIEND_OF |
linkType | HOMOSEXUAL_COHABITANT |
linkType | HOMOSEXUAL_RELATIONSHIP |
linkType | WIFE |
linkType | FEMALE_COHABITANT |
linkType | FEMALE_SEXUAL |
linkType | LIVES_AT |
linkType | WORKS_AT |
linkType | ATTENDS_SCHOOL_AT |
linkType | HANGS_OUT_AT |
linkType | BUSINESS_LOCATION |
linkType | BUSINESS_ADDRESS |
linkType | LOCATION_OF_EVENT |
linkType | LOCATION_OF_FIELD_CONTACT |
linkType | LAST_KNOWN_LOCATION |
linkType | LOCATION_WHERE_LOCATED |
linkType | OFFENSE_LOCATION |
linkType | ARREST_LOCATION |
linkType | PROPERTY_RECOVERED_LOCATION |
linkType | LOCATION_OF_USE_OF_FORCE |
linkType | LOCATION_OF_WARRANT |
linkType | CASE_NOTE_LOCATION |
linkType | MUGSHOT |
linkType | FINGERPRINT |
linkType | CASE_ATTACHMENT |
linkType | CASE_NOTE_ATTACHMENT |
linkType | REPORT_ATTACHMENT |
linkType | IDENTIFYING_MARK |
linkType | CHAIN_EVENT_SIGNATURE |
linkType | CHAIN_EVENT_ID_SCAN |
linkType | CHAIN_EVENT_ATTACHMENT |
linkType | USER_PROFILE_ATTACHMENT |
linkType | PERSON_PROFILE_ATTACHMENT |
linkType | ORGANIZATION_PROFILE_ATTACHMENT |
linkType | ORGANIZATION_PROFILE_PHOTO |
linkType | WARRANT_ATTACHMENT |
linkType | EXPORT_RELEASE_ATTACHMENT |
linkType | COURT_ORDER_ATTACHMENT |
linkType | ITEM_PROFILE_PHOTO |
linkType | ITEM_PROFILE_ATTACHMENT |
linkType | LOCATION_OF_CAD_TICKET |
linkType | BOLO_LOCATION |
linkType | EVENT_LOCATION |
linkType | REPORTING_PARTY_LOCATION |
linkType | REPORTING_PARTY_IN_AGENCY_EVENT |
linkType | VEHICLE_IN_AGENCY_EVENT |
linkType | TOW_VEHICLE_VEHICLE |
linkType | ASSISTING_AGENCY |
linkType | MEMBER_OF_UNIT |
linkType | EQUIPPED_ON_UNIT |
linkType | TRU_RESPONDER |
linkType | TRANSPORT_LOCATION |
linkType | OWNED_BY |
linkType | CLAIMED_BY |
linkType | INVOLVED_PROPERTY |
linkType | SUBJECT_OF_WARRANT |
linkType | OFFENSE_IN_ARREST |
linkType | DEFENDANT_IN_ARREST |
linkType | DEFENDANT |
linkType | ALLEGED_MEMBER_OF_GANG |
linkType | CONFIRMED_MEMBER_OF_GANG |
linkType | FACTION_SUBSET_OF_GANG |
linkType | ATTACHMENT_TO_BULLETIN |
linkType | ADDITIONAL_INFORMATION_IN_AGENCY_EVENT |
linkType | TOW_VEHICLE_FROM_LOCATION |
linkType | TOW_VEHICLE_TO_LOCATION |
linkType | PHONE_CALL_IN_EVENT |
linkType | EVIDENCE_FACILITY_LOCATION |
linkType | PATROL_LOCATION |
linkType | SPECIAL_ASSIGNMENT_LOCATION |
linkType | TASK_ATTACHMENT |
linkType | CALL_FOR_SERVICE_AGENCY_MAPPING |
linkType | USER_HOME_ADDRESS |
linkType | USER_PHOTO |
linkType | USER_SIGNATURE |
linkType | TOW_VEHICLE_TOWED_FROM_LOCATION |
linkType | TOW_VEHICLE_REPORTED_STOLEN_LOCATION |
linkType | TOW_VEHICLE_RECOVERY_LOCATION |
linkType | TOW_VEHICLE_STORAGE_LOCATION |
linkType | TOW_VEHICLE_RELEASE_TO |
linkType | TOW_VEHICLE_RELEASE_AUTHORIZED_BY |
linkType | AGENCY_EVENT_UNLINK |
linkType | COPIED_CALL |
linkType | UNIT_LOCATION_INFO_LOCATION |
linkType | LOCATION_OF_TRAFFIC_CRASH |
linkType | SUBJECT_IN_TRAFFIC_CRASH |
linkType | LOCATION_OF_CITATION |
linkType | SUBJECT_IN_CITATION |
linkType | DEPARTMENT_PROFILE_LOGO |
linkType | DEPARTMENT_PROFILE_ADDRESS |
linkType | CONFIGURED_ENTITY_NAME_IN_REPORT |
linkType | FIELD_NOTE_ATTACHMENT |
linkType | USER_ERROR_REPORT_ATTACHMENT |
linkType | SUBJECT_IN_BEHAVIORAL_CRISIS |
linkType | DISPATCH_AREA_OWNER_PRIMARY |
linkType | DISPATCH_AREA_MONITOR |
linkType | STATION_LOCATION |
linkType | DEX_MESSAGE_SENT_FOR |
linkType | DEX_MESSAGE_DISPATCH_AREA_OWNER |
linkType | FIELD_NOTE_LINKED_PERSON |
linkType | FIELD_NOTE_LINKED_LOCATION |
linkType | THREATENED |
linkType | OTHER_NAME_IN_BEHAVIORAL_CRISIS |
linkType | OTHER_NAME_IN_FIELD_CONTACT |
linkType | LOCATION_OF_BEHAVIORAL_CRISIS |
linkType | LOCATION_OF_STOP |
linkType | SUBJECT_IN_STOP |
linkType | OTHER_NAME_IN_STOP |
linkType | LOCATION_OF_PERSON_STOP |
linkType | VEHICLE_LICENSE_PLATE_PHOTO |
linkType | DRIVER_LICENSE_FRONT_PHOTO |
linkType | DRIVER_LICENSE_BACK_PHOTO |
linkType | TRAFFIC_CRASH_ATTACHMENT |
linkType | TRAFFIC_CRASH_EXPORT_ATTACHMENT |
linkType | ROADWAY_OF_TRAFFIC_CRASH |
linkType | INTERSECTING_ROADWAY_OF_TRAFFIC_CRASH |
linkType | ROADWAY_OF_VEHICLE |
linkType | INVOLVED_PERSON_IN_AGENCY_EVENT |
linkType | INVOLVED_PERSON_LOCATION |
linkType | AGENCY_PROFILE_LOGO |
linkType | DRIVERS_LICENSE_PHOTO |
ExternalAttachmentCreationResult
{
"attachmentIds": [
0
],
"warnings": {
"property1": "string",
"property2": "string"
}
}
Model that represents an attachment creation response
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
attachmentIds | [integer] | false | none | Mark43 IDs of created attachments |
warnings | object | false | none | Warnings generated by endpoint |
» additionalProperties | string | false | none | none |
ExternalByteAttachment
{
"attachmentInBase64": [
"string"
],
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fileName": "string",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a file to be added
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
attachmentInBase64 | [string] | true | none | Base64 encoded bytes for this file |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
fileName | string | true | none | File name, including file extension |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCadAdditionalInfo
{
"additionalInfoType": "string",
"author": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"text": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents additional information added to a CAD Event
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalInfoType | string | false | none | Type of additional info (e.g. User, System) |
author | ExternalUser | false | none | Author of additional info |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
text | string | false | none | Text of additional info |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCadAdditionalInfoCreationResult
{
"externalAdditionalInfo": {
"additionalInfoType": "string",
"author": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"text": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"warnings": {
"property1": "string",
"property2": "string"
}
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
externalAdditionalInfo | ExternalCadAdditionalInfo | false | none | The created Additional Info record |
warnings | object | false | none | Warnings generated during CAD Event creation |
» additionalProperties | string | false | none | none |
ExternalCadEvent
{
"additionalInfos": [
{
"additionalInfoType": "string",
"author": {},
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"text": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"agencyCode": "string",
"agencyId": 0,
"alarmLevel": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventId": 0,
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callForServiceCode": "string",
"callTaker": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"callTakerStationId": "string",
"callerName": "string",
"callerPhoneNumber": "string",
"communicationType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"disposition": "string",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventLabels": [
{
"cautionLevel": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"name": "string",
"priority": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"eventPriority": "string",
"eventReceivedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketUnitAndMembers": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isPrimaryOnEvent": true,
"mark43Id": 0,
"unitCallSign": "string",
"unitDispatchNumber": "string",
"unitMember": {},
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"externalId": "string",
"externalLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"externalSystem": "string",
"externalType": "WARRANT",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"firstUnitEnrouteDateutc": "2019-08-24T14:15:22Z",
"involvedPeople": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"involvementType": "string",
"mark43Id": 0,
"note": "string",
"personProfile": {},
"phoneNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"involvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"involvedUnits": [
{
"activeDateUtc": "2019-08-24T14:15:22Z",
"additionalUnitTypes": [],
"agencyCode": "string",
"agencyOri": "string",
"agencyType": "POLICE",
"comments": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dispatchAreaId": 0,
"dispatchAreaOverrideId": 0,
"equipmentType": [],
"expirationDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isMemberRequired": true,
"isPrimary": true,
"isTemporary": true,
"mark43Id": 0,
"radioIds": [],
"stationId": 0,
"stationName": "strin",
"stationOverrideId": 0,
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"tagNumber": "string",
"unitCallSign": "string",
"unitStatuses": [],
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"users": []
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"lastEventClearingComments": "string",
"mark43Id": 0,
"narrative": "string",
"proQaDeterminantCode": "string",
"radioChannels": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"radioChannel": {},
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"reportingEventNumber": "string",
"reportingEventNumbers": [
{
"agencyCode": "string",
"agencyId": 0,
"agencyOri": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"reportingEventNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"reportingParties": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"involvementType": "string",
"mark43Id": 0,
"note": "string",
"personProfile": {},
"phoneNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"reportingPartyLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"reportingPartyNotes": "string",
"reportingPartyPhoneNumber": "string",
"reportingPerson": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"workAddresses": [
{}
]
},
"secondaryEventType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a CAD Event being created in or retrieved from Mark43
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalInfos | [ExternalCadAdditionalInfo] | false | none | Additional information related to CAD Event |
agencyCode | string | false | none | Agency code of agency assigned to event. One of agency ID, code, or ORI must be populated |
agencyId | integer(int64) | false | none | Mark43 ID of agency assigned to event. One of agency ID, code, or ORI must be populated |
alarmLevel | string | false | none | Display name of attribute indicating the alarm level of event. Mainly used for fire events to determine a response plan. Attribute Type: Alarm Level |
assignedAgencyOri | string | true | none | Agency ORI of agency assigned to event. One of agency ID, code, or ORI must be populated |
cadAgencyEventNumber | string | false | none | CAD Event Number for multi-agency setups |
cadCommonEventId | integer(int64) | false | none | ID of common event record in Mark43. Only populated on retrieval |
cadCommonEventNumber | string | false | none | CAD Event Number. Also known as common event number |
callDateUtc | string(date-time) | false | none | Date/time call was received by CAD from 911 in UTC |
callForServiceCode | string | true | none | Code of the associated call for service |
callTaker | ExternalUser | false | none | ExternalUser model for call-taker on event |
callTakerStationId | string | false | none | External identifier for call taker station |
callerName | string | false | none | Full name of person who called 911, provided by phone company |
callerPhoneNumber | string | false | none | Phone number of 911 caller, provided by phone company |
communicationType | string | false | none | Display Abbreviation of attribute denoting the event communication type. Attribute Type: Event Communication Type |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
disposition | string | false | none | Display Abbreviation of attribute indicating the event clearing disposition. Attribute Type: Event Clearing Disposition |
e911EventNumber | string | false | none | E911 system call number. Often called ANI number |
eventClosedDateUtc | string(date-time) | false | none | Closing date/time of event in UTC |
eventLabels | [ExternalCadEventLabel] | false | none | Labels attached to CAD events which provide critical and priority impacting details |
eventPriority | string | false | none | Display Abbreviation of attribute denoting call for service event priority. Attribute Type: CFS Priority |
eventReceivedDateUtc | string(date-time) | false | none | Date/time event was received in UTC |
eventStartDateUtc | string(date-time) | false | none | Start date/time of event in UTC |
eventStatus | string | false | none | Status of CAD Event (e.g. unit en-route, unit assigned, unit at scene) |
eventType | string | false | none | Display value of attribute indicating the primary event type in CAD (e.g. 911 call). Attribute Type: Event Origin |
externalCadTicketUnitAndMembers | [ExternalCadTicketUnitAndMember] | false | none | CAD ticket units and members |
externalId | string | false | none | Identifier of entity in external system |
externalLocation | ExternalLocation | true | none | CAD ticket location |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
firstUnitArrivalDateUtc | string(date-time) | false | none | Date/time first unit arrived on scene in UTC |
firstUnitDispatchDateUtc | string(date-time) | false | none | Date/time first unit was dispatched in UTC |
firstUnitEnrouteDateutc | string(date-time) | false | none | Date/time first unit was en-route in UTC |
involvedPeople | [ExternalInvolvedPerson] | false | none | People who are not reporting parties, involved in the event |
involvedPersons | [ExternalPerson] | false | none | Persons involved in CAD Event |
involvedUnits | [ExternalCadEventInvolvedUnit] | false | none | Units involved in CAD Event |
involvedVehicles | [ExternalVehicle] | false | none | Vehicles involved in CAD Event |
lastEventClearingComments | string | false | none | Comments provided the last time event was cleared |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
narrative | string | false | none | Event narrative as entered by a dispatcher |
proQaDeterminantCode | string | false | none | ProQA Determinant code, if available |
radioChannels | [ExternalEventRadioChannel] | false | none | Radio Channels related to CAD Event |
reportingEventNumber | string | false | none | Reporting Event Number used to identify event in the RMS |
reportingEventNumbers | [ExternalReportingEventNumber] | false | none | Reporting Event Number(s) used to identify event in the RMS |
reportingParties | [ExternalInvolvedPerson] | false | none | Reporting parties involved in the event |
reportingPartyLocation | ExternalLocation | false | none | Location of reporting party |
reportingPartyNotes | string | false | none | Notes entered about reporting party |
reportingPartyPhoneNumber | string | false | none | Call-back phone number for reporting party |
reportingPerson | ExternalPerson | false | none | Person in reporting party |
secondaryEventType | string | false | none | Call for service description (e.g. Domestic Disturbance) |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCadEventCreationResult
{
"externalCadEvent": {
"additionalInfos": [
{}
],
"agencyCode": "string",
"agencyId": 0,
"alarmLevel": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventId": 0,
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callForServiceCode": "string",
"callTaker": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"callTakerStationId": "string",
"callerName": "string",
"callerPhoneNumber": "string",
"communicationType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"disposition": "string",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventLabels": [
{}
],
"eventPriority": "string",
"eventReceivedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketUnitAndMembers": [
{}
],
"externalId": "string",
"externalLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"externalSystem": "string",
"externalType": "WARRANT",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"firstUnitEnrouteDateutc": "2019-08-24T14:15:22Z",
"involvedPeople": [
{}
],
"involvedPersons": [
{}
],
"involvedUnits": [
{}
],
"involvedVehicles": [
{}
],
"lastEventClearingComments": "string",
"mark43Id": 0,
"narrative": "string",
"proQaDeterminantCode": "string",
"radioChannels": [
{}
],
"reportingEventNumber": "string",
"reportingEventNumbers": [
{}
],
"reportingParties": [
{}
],
"reportingPartyLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"reportingPartyNotes": "string",
"reportingPartyPhoneNumber": "string",
"reportingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"secondaryEventType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"warnings": {
"property1": "string",
"property2": "string"
}
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
externalCadEvent | ExternalCadEvent | false | none | Created ExternalCadEvent input object populated with Mark43 IDs |
warnings | object | false | none | Warnings generated during CAD Event creation |
» additionalProperties | string | false | none | none |
ExternalCadEventInvolvedUnit
{
"activeDateUtc": "2019-08-24T14:15:22Z",
"additionalUnitTypes": [
"string"
],
"agencyCode": "string",
"agencyOri": "string",
"agencyType": "POLICE",
"comments": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dispatchAreaId": 0,
"dispatchAreaOverrideId": 0,
"equipmentType": [
"string"
],
"expirationDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isMemberRequired": true,
"isPrimary": true,
"isTemporary": true,
"mark43Id": 0,
"radioIds": [
"string"
],
"stationId": 0,
"stationName": "strin",
"stationOverrideId": 0,
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"tagNumber": "string",
"unitCallSign": "string",
"unitStatuses": [
{
"assigningUser": {},
"createdDateUtc": "2019-08-24T14:15:22Z",
"eventMark43Id": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isEventRelated": true,
"mark43Id": 0,
"previousEventMark43Id": 0,
"previousUnitState": "string",
"previousUnitStateCode": "string",
"rmsEventId": 0,
"unitMark43Id": 0,
"unitState": "string",
"unitStateCode": "string",
"unitStateGroup": "string",
"unitStatusDateUtc": "2019-08-24T14:15:22Z",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"users": [
{
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
]
}
Model that represents a unit's involvement with a CAD Event
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
activeDateUtc | string(date-time) | false | none | Date/time unit became active in UTC |
additionalUnitTypes | [string] | false | none | Display values of Unit Type attributes specified as this unit's additional unit types. Attribute Type: Unit Type |
agencyCode | string | false | none | Agency code of agency the unit is assigned to. One of agency code or agency ORI must be populated |
agencyOri | string | false | none | Agency ORI of agency the unit is assigned to. One of agency code or agency ORI must be populated |
agencyType | string | false | none | Display value of attribute denoting type of agency unit belongs to. Attribute Type: Agency Type Global |
comments | string | false | none | Comments that pertain to a temporary unit's involvement in an event |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
dispatchAreaId | integer(int64) | false | none | Mark43 ID of dispatch area the unit is assigned to |
dispatchAreaOverrideId | integer(int64) | false | none | Mark43 ID of overridden dispatch area for a unit. Used when a unit is dispatched to an area different from its configured dispatch area |
equipmentType | [string] | false | none | Display values of equipment attributes used by the unit on a consistent basis (e.g. GPS_PINGER, AEDs). Attribute Type: Equipment Type |
expirationDateUtc | string(date-time) | false | none | Date/time unit became inactive in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
isMemberRequired | boolean | false | none | True if members must be added to the unit |
isPrimary | boolean | true | none | none |
isTemporary | boolean | false | none | True if the unit is temporary. Applies to units that do not use Mark43 CAD but are assisting in a Mark43 CAD event |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
radioIds | [string] | false | none | Radio IDs used by the unit Attribute Type: Radio ID |
stationId | integer(int64) | false | none | Station ID for units |
stationName | string | false | none | CAD station name |
stationOverrideId | integer(int64) | false | none | Overridden Station ID for units |
subdivision1 | string | false | none | Display value of subdivision attribute. Attribute Type: Subdivision Depth 1 |
subdivision2 | string | false | none | Display value of subdivision attribute. Attribute Type: Subdivision Depth 2 |
subdivision3 | string | false | none | Display value of subdivision attribute. Attribute Type: Subdivision Depth 3 |
subdivision4 | string | false | none | Display value of subdivision attribute. Attribute Type: Subdivision Depth 4 |
subdivision5 | string | false | none | Display value of subdivision attribute. Attribute Type: Subdivision Depth 5 |
tagNumber | string | false | none | Display value of attribute denoting tag number of unit's vehicle. Attribute Type: Tag Number |
unitCallSign | string | false | none | Unique call-sign of the unit |
unitStatuses | [ExternalUnitStatus] | false | none | Unit statuses associated with the event |
unitType | string | false | none | Display value of attribute denoting primary unit type of unit (e.g. DETECTIVE, PATROL, SWAT). Attribute Type: Unit Type |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
users | [ExternalUser] | false | none | Users assigned to the unit at the time of the event |
Allowable Values
Property | Value |
---|---|
agencyType | POLICE |
agencyType | FIRE |
agencyType | MEDICAL |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCadEventLabel
{
"cautionLevel": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"name": "string",
"priority": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents Event Label added to a CAD Event
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
cautionLevel | string | true | none | Display value of attribute describing the caution Level of the Event Label. Attribute Type: Location Caution Priority |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
name | string | true | none | Name of the Event Label |
priority | string | false | none | Display value of attribute describing the Priority of the Event Label. Attribute Type: CFS Priority |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCadTicket
{
"agencyCode": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callerName": "string",
"callerPhoneNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketComments": [
{
"author": {},
"authoredDateUtc": "2019-08-24T14:15:22Z",
"comment": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"externalCadTicketUnitAndMembers": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isPrimaryOnEvent": true,
"mark43Id": 0,
"unitCallSign": "string",
"unitDispatchNumber": "string",
"unitMember": {},
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"externalId": "string",
"externalLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"externalSystem": "string",
"externalType": "WARRANT",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"fmsEventNumber": "string",
"involvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"mark43Id": 0,
"reportingEventNumber": "string",
"secondaryEventType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a CAD ticket being created in or retrieved from Mark43
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
agencyCode | string | false | none | Agency code for the agency assigned to this event. One of agency code or agency ORI must be populated |
assignedAgencyOri | string | false | none | Agency ORI for the agency assigned to this event. One of agency code or agency ORI must be populated |
cadAgencyEventNumber | string | true | none | CAD Event Number for multi-agency setups |
cadCommonEventNumber | string | true | none | CAD Event Number. Often referred to as common event |
callDateUtc | string(date-time) | true | none | Date/time call was received by CAD from 3/911 in UTC |
callerName | string | false | none | Full name of the person who called 3/911 |
callerPhoneNumber | string | false | none | Phone number of the person who called 3/911 |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
e911EventNumber | string | false | none | E911 system call number. Often called ANI number |
eventClosedDateUtc | string(date-time) | false | none | Date/time event closed in UTC |
eventStartDateUtc | string(date-time) | true | none | Date/time event started in UTC |
eventStatus | string | false | none | The status of the CAD Event (e.g. UNIT_ASSIGNED, UNIT_AT_SCENE) |
eventType | string | false | none | Display abbreviation of attribute indicating the primary event type in CAD (e.g. 911 call). Attribute Type: CAD Event Type |
externalCadTicketComments | [ExternalCadTicketComment] | false | none | CAD ticket comments |
externalCadTicketUnitAndMembers | [ExternalCadTicketUnitAndMember] | false | none | CAD ticket units and members |
externalId | string | false | none | Identifier of entity in external system |
externalLocation | ExternalLocation | true | none | CAD ticket location |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
firstUnitArrivalDateUtc | string(date-time) | false | none | Date/time first unit arrived on scene in UTC |
firstUnitDispatchDateUtc | string(date-time) | false | none | Date/time first unit was dispatched in UTC |
fmsEventNumber | string | false | none | Unified Communications Center (FMS - Fire and (emergency) Medical Services) |
involvedPersons | [ExternalPerson] | false | none | Persons involved in CAD Event |
involvedVehicles | [ExternalVehicle] | false | none | Vehicles involved in CAD Event |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
reportingEventNumber | string | false | none | Event number used in the RMS to identify event |
secondaryEventType | string | false | none | Display abbreviation of attribute indicating the secondary event type in CAD (e.g. Domestic Disturbance). Attribute Type: CAD Secondary Event Type |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCadTicketComment
{
"author": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"authoredDateUtc": "2019-08-24T14:15:22Z",
"comment": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents comments associated with CAD tickets
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
author | ExternalUser | false | none | User information of commenter |
authoredDateUtc | string(date-time) | true | none | Date/time comment was created in CAD in UTC |
comment | string | true | none | Content of the comment |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCadTicketCreationResult
{
"externalCadTicket": {
"agencyCode": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callerName": "string",
"callerPhoneNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketComments": [
{}
],
"externalCadTicketUnitAndMembers": [
{}
],
"externalId": "string",
"externalLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"externalSystem": "string",
"externalType": "WARRANT",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"fmsEventNumber": "string",
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"mark43Id": 0,
"reportingEventNumber": "string",
"secondaryEventType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"validationErrorMessages": [
"string"
],
"warnings": {
"property1": "string",
"property2": "string"
}
}
Model that represents a CAD ticket creation response
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
externalCadTicket | ExternalCadTicket | false | none | Created ExternalCadTicket input object populated with Mark43 IDs |
validationErrorMessages | [string] | false | none | Fatal validation error message |
warnings | object | false | none | Warnings generated during CAD ticket creation |
» additionalProperties | string | false | none | none |
ExternalCadTicketUnitAndMember
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isPrimaryOnEvent": true,
"mark43Id": 0,
"unitCallSign": "string",
"unitDispatchNumber": "string",
"unitMember": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents units and members associated with CAD Tickets
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
isPrimaryOnEvent | boolean | true | none | True if unit was primary unit for the event |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
unitCallSign | string | false | none | Unique call-sign of unit assigned to the event |
unitDispatchNumber | string | false | none | Unique identifier of unit per event, tracked by some agencies |
unitMember | ExternalUser | false | none | User information of unit member |
unitType | string | false | none | Type of unit (e.g. PATROL, FIRE, EMS) |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCase
{
"approvalStatus": "DRAFT",
"approvalStatusDateUtc": "2019-08-24T14:15:22Z",
"approvalStatusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"assignedDate": "2019-08-24T14:15:22Z",
"assignedPersonnelUnit": "string",
"assignedUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"assistingInvestigators": [
{
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
],
"caseNotes": [
{
"author": {},
"content": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"caseReviews": [
{
"author": {},
"body": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isApproval": true,
"isRejection": true,
"isRequestForApproval": true,
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"caseStatus": "string",
"caseStatusDateUtc": "2019-08-24T14:15:22Z",
"caseStatusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"caseTypeAbbrevation": "string",
"caseTypeDisplayName": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"localId": "string",
"mark43Id": 0,
"supervisors": [
{
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
],
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a case
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
approvalStatus | string | false | none | Case approval status |
approvalStatusDateUtc | string(date-time) | false | none | Date/time the current approval status took affect |
approvalStatusUpdatedDateUtc | string(date-time) | false | none | Date/time of the most recent update to a case's approval status |
assignedDate | string(date-time) | false | none | Date/time case was assigned in UTC |
assignedPersonnelUnit | string | false | none | Display name of attribute for personnel unit assigned to the case. Attribute Type: Personnel Unit |
assignedUser | ExternalUser | false | none | Officer assigned to the case |
assistingInvestigators | [ExternalUser] | false | none | Investigators assisting with the case |
caseNotes | [ExternalCaseNote] | false | none | Case notes |
caseReviews | [ExternalCaseReview] | false | none | Case reviews |
caseStatus | string | false | none | Display name of attribute for status of the case. Attribute Type: Case Status |
caseStatusDateUtc | string(date-time) | false | none | Date/time the case was transitioned to it's terminal "Closed" status. |
caseStatusUpdatedDateUtc | string(date-time) | false | none | Date/time case status was updated to its current status in UTC. Read only |
caseTypeAbbrevation | string | false | none | Abbreviation of configured case type |
caseTypeDisplayName | string | false | none | Display name of configured case type |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
localId | string | true | none | Local identifier for the case (e.g. Case Number) |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
supervisors | [ExternalUser] | false | none | Supervisors assigned to the case |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
approvalStatus | DRAFT |
approvalStatus | SUBMITTED |
approvalStatus | REJECTED |
approvalStatus | APPROVED |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCaseNote
{
"author": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"content": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
author | ExternalUser | false | none | Author of note |
content | string | false | none | Plain text note content |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
title | string | false | none | Title of note |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCaseNoteCreationResult
{
"externalCaseNote": {
"author": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"content": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"warnings": [
"string"
]
}
Represents case note creation response
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
externalCaseNote | ExternalCaseNote | false | none | ExternalCaseNote, Mark43Id is populated when case note is added successfully |
warnings | [string] | false | none | Warnings generated by endpoint |
ExternalCaseReview
{
"author": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"body": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isApproval": true,
"isRejection": true,
"isRequestForApproval": true,
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
author | ExternalUser | false | none | User who submitted the review |
body | string | false | none | Plain text review body |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
isApproval | boolean | false | none | True if the review is an approval |
isRejection | boolean | false | none | True if the review is a rejection |
isRequestForApproval | boolean | false | none | True if the review is a request for approval |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalChainEvent
{
"chainEventType": "string",
"createdByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"eventDateUtc": "2019-08-24T14:15:22Z",
"eventUserId": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"facility": "string",
"itemInPoliceCustodyDateUtc": "2019-08-24T14:15:22Z",
"mark43Id": 0,
"masterItemId": 0,
"receivedByName": "string",
"receivedByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"reportId": 0,
"storageLocation": "string",
"storageLocationId": 0,
"updatedByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
chainEventType | string | true | none | Name of the chain event type |
createdByUser | ExternalUser | true | none | Mark43 user who created the chain event |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
description | string | false | none | Free-text description of the chain event |
eventDateUtc | string(date-time) | true | none | Date/time of the chain event in UTC |
eventUserId | ExternalUser | false | none | Mark43 user who created the chain event |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
facility | string | false | none | Name of the core facility receiving the item |
itemInPoliceCustodyDateUtc | string(date-time) | false | none | Date/time item was taken into police custody in UTC. Required if the item does not have an existing chain of custody |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
masterItemId | integer(int64) | true | none | Mark43 database ID of the item whose chain of custody is being updated |
receivedByName | string | false | none | Name of the non-Mark43 person receiving the item. Required if receivedByUser is null |
receivedByUser | ExternalUser | false | none | Mark43 user who received the item. Required if receivedByName is null |
reportId | integer(int64) | false | none | Mark43 database ID of the report on which the item is involved |
storageLocation | string | false | none | Name of the storage location within the specified facility |
storageLocationId | integer(int64) | false | none | ID of the storage location within the specified facility |
updatedByUser | ExternalUser | false | none | Mark43 user who updated the chain event |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalChainEventCreationResult
{
"externalChainEvent": {
"chainEventType": "string",
"createdByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"eventDateUtc": "2019-08-24T14:15:22Z",
"eventUserId": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"facility": "string",
"itemInPoliceCustodyDateUtc": "2019-08-24T14:15:22Z",
"mark43Id": 0,
"masterItemId": 0,
"receivedByName": "string",
"receivedByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"reportId": 0,
"storageLocation": "string",
"storageLocationId": 0,
"updatedByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"validationErrorMessages": [
"string"
]
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
externalChainEvent | ExternalChainEvent | false | none | ExternalChainEvent input object. Mark43Id is populated if no validation error occurred. |
validationErrorMessages | [string] | false | none | If the report failed validation, error message will be here |
ExternalChainOfCustody
{
"chainEvents": [
{
"chainEventType": "string",
"createdByUser": {},
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"eventDateUtc": "2019-08-24T14:15:22Z",
"eventUserId": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"facility": "string",
"itemInPoliceCustodyDateUtc": "2019-08-24T14:15:22Z",
"mark43Id": 0,
"masterItemId": 0,
"receivedByName": "string",
"receivedByUser": {},
"reportId": 0,
"storageLocation": "string",
"storageLocationId": 0,
"updatedByUser": {},
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firearm": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"altered": true,
"barcodeValues": [
"string"
],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [
{}
],
"linkedNames": [
{}
],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
},
"mark43Id": 0,
"property": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"barcodeValues": [
"string"
],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [
{}
],
"linkedNames": [
{}
],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
},
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicle": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [
"string"
],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [
{}
],
"licensePlateNumber": "string",
"linkedNames": [
{}
],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
}
Represents evidence property, firearms, and vehicles with chain of custody
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
chainEvents | [ExternalChainEvent] | false | none | Chain events associated with item |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
firearm | ExternalFirearm | false | none | Firearm associated with chain of custody |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
property | ExternalItemBase | false | none | Evidence property (non-vehicle and non-firearm) associated with chain of custody |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
vehicle | ExternalVehicle | false | none | Vehicle associated with chain of custody |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalChangeView
{
"fieldName": "string",
"historyValueType": "string",
"newValue": "string",
"oldValue": "string",
"unit": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
fieldName | string | true | none | none |
historyValueType | string | true | none | none |
newValue | string | false | none | none |
oldValue | string | false | none | none |
unit | string | false | none | none |
ExternalCharge
{
"chargeCount": 0,
"chargeOffenseCode": {
"abbreviation": "string",
"arrestType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fineAmount": 0,
"mark43Id": 0,
"nibrsCode": "string",
"offenseClassificationCode": "string",
"offenseCodeLevel": "string",
"secondAbbreviation": "string",
"secondStatuteCodeSet": "string",
"stateCode": "string",
"statuteCodeSet": "string",
"thirdAbbreviation": "string",
"thirdStatuteCodeSet": "string",
"ucrCode": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"chargeStatus": "string",
"collateralBondAmountPaid": 0,
"collateralBondReceiptNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"disposition": "string",
"dispositionDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isSealed": true,
"isVacated": true,
"juvenileDisposition": "string",
"juvenileDispositionDateUtc": "2019-08-24T14:15:22Z",
"legacyCharge": "string",
"legacyChargeSource": "string",
"legacyEventNumber": "string",
"mark43Id": 0,
"offense": {
"completed": true,
"createdDateUtc": "2019-08-24T14:15:22Z",
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {
"abbreviation": "string",
"arrestType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fineAmount": 0,
"mark43Id": 0,
"nibrsCode": "string",
"offenseClassificationCode": "string",
"offenseCodeLevel": "string",
"secondAbbreviation": "string",
"secondStatuteCodeSet": "string",
"stateCode": "string",
"statuteCodeSet": "string",
"thirdAbbreviation": "string",
"thirdStatuteCodeSet": "string",
"ucrCode": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalSystem": "string",
"externalType": "WARRANT",
"involvedFirearms": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"mark43Id": 0,
"offenseAttributes": [
{}
],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true,
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"offenseOrder": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"warrant": {
"arrestNotes": "string",
"arrestNumber": "string",
"attachments": [
{}
],
"bailAmount": 1500,
"courtCaseNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"enteredBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"enteredDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"hasNightService": true,
"internalWarrantWorkflowStatus": "string",
"internalWarrantWorkflowStatusDescription": "string",
"isOtherJurisdiction": true,
"issuingAgencyName": "string",
"issuingAgencyOri": "string",
"issuingCourtAddress": "string",
"issuingCourtName": "string",
"issuingCourtOri": "string",
"issuingCourtPhoneNumber": "string",
"issuingJudge": "string",
"mark43ArrestId": "string",
"mark43Id": 0,
"noBail": true,
"obtainingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"obtainingOfficerFreeText": "string",
"originatingAgencyCaseNumber": "string",
"regionalMessageSwitchNumber": "string",
"reportingEventNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"warrantActivities": [
{}
],
"warrantAttributes": [
{}
],
"warrantCharges": [
{}
],
"warrantEntryLevelCode": "string",
"warrantEntryLevelCodeDescription": "string",
"warrantIssuedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"warrantNotes": "string",
"warrantNumber": "string",
"warrantReceivedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantStatus": "string",
"warrantStatusDateUtc": "2019-08-24T14:15:22Z",
"warrantSubject": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"warrantType": "string"
}
}
Model that represents a charge associated with an arrest
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
chargeCount | integer(int32) | false | none | Charge count |
chargeOffenseCode | ExternalOffenseCode | false | none | Information used to search for offense code or charge |
chargeStatus | string | false | none | Display abbreviation of attribute for the status the charge. Attribute Type: Charge Status |
collateralBondAmountPaid | number(double) | false | none | Amount paid by the defendant if required by disposition |
collateralBondReceiptNumber | string | false | none | Receipt number for payment if required by disposition |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
disposition | string | false | none | Display abbreviation of the attribute indicating the disposition. Attribute Type: Arrest Disposition |
dispositionDateUtc | string(date-time) | false | none | Date/time of disposition for the charge in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
isSealed | boolean | false | none | True if the charge has been sealed |
isVacated | boolean | true | none | True if the charge has been vacated |
juvenileDisposition | string | false | none | Display abbreviation of attribute indicating a juvenile defendant's disposition. Attribute Type: Juvenile Disposition |
juvenileDispositionDateUtc | string(date-time) | false | none | Date/time the juvenile disposition last changed in UTC |
legacyCharge | string | false | none | Offense tracked in legacy system. Only populated if offense is null |
legacyChargeSource | string | false | none | Display abbreviation of attribute for source in which the legacy charge originated. Attribute Type: Legacy Charge Source |
legacyEventNumber | string | false | none | Event number for charge tracked in legacy system. Only populated if offense is null |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
offense | ExternalOffense | false | none | Offense the defendant on the arrest is being charged with |
offenseOrder | integer(int32) | true | none | Order of the offense on the arrest |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
warrant | ExternalWarrant | false | none | Warrant tied to the offense |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCitation
{
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationChargeResultDisplayName1": "string",
"citationChargeResultDisplayName2": "string",
"citationChargeResultDisplayName3": "string",
"citationChargeResultDisplayName4": "string",
"citationChargeResultDisplayName5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [
"string"
],
"officialAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"physicalAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"citationRecipientPerson": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"workAddresses": [
{}
]
},
"citationStatisticOtherDescription": "string",
"citationStatistics": [
"string"
],
"citationStatisticsDisplayNames": [
"string"
],
"citationType": "string",
"citationTypeDisplayName": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [
"string"
],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [
{}
],
"licensePlateNumber": "string",
"linkedNames": [
{}
],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"courtTypeDisplayName": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"mark43Id": 0,
"placeDetained": "string",
"postedSpeed": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a citation
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
actualSpeed | integer(int32) | false | none | Citation actual speed |
bailAmount | number(double) | false | none | Bail amount set by the judge |
citationCharge1 | string | true | none | Display name or code of first charge tied to this citation |
citationCharge2 | string | false | none | Display name or code of second charge tied to this citation |
citationCharge3 | string | false | none | Display name or code of third charge tied to this citation |
citationCharge4 | string | false | none | Display name or code of fourth charge tied to this citation |
citationCharge5 | string | false | none | Display name or code of fifth charge tied to this citation |
citationChargeResultDisplayName1 | string | false | read-only | Display value of attribute for the resulting action of citation charge 1. Attribute Type: Citation Charge Result |
citationChargeResultDisplayName2 | string | false | read-only | Display value of attribute for the resulting action of citation charge 2. Attribute Type: Citation Charge Result |
citationChargeResultDisplayName3 | string | false | read-only | Display value of attribute for the resulting action of citation charge 3. Attribute Type: Citation Charge Result |
citationChargeResultDisplayName4 | string | false | read-only | Display value of attribute for the resulting action of citation charge 4. Attribute Type: Citation Charge Result |
citationChargeResultDisplayName5 | string | false | read-only | Display value of attribute for the resulting action of citation charge 5. Attribute Type: Citation Charge Result |
citationLocation | ExternalLocation | true | none | Location where citation was issued |
citationNumber | string | true | none | Citation number |
citationRecipientOrganization | ExternalOrganization | false | none | Organization to which citation was issued. One of citationRecipientPerson or citationRecipientOrganization must be populated |
citationRecipientPerson | ExternalPerson | false | none | Person to whom citation was issued. One of citationRecipientPerson or citationRecipientOrganization must be populated |
citationStatisticOtherDescription | string | false | read-only | Free-text field for description of an 'is-other' citation statistic attribute |
citationStatistics | [string] | false | none | Display abbreviations of citation statistics attributes to set for created citation. Attribute Type: Citation Statistics |
citationStatisticsDisplayNames | [string] | false | read-only | Display names of citation statistics attributes to set for created citation. Attribute Type: Citation Statistics |
citationType | string | true | none | Display abbreviation of attribute for type of citation. Attribute Type: Citation Type |
citationTypeDisplayName | string | false | read-only | Display name of attribute for type of citation. Attribute Type: Citation Type |
citationTypeOther | string | false | none | Citation Type Other - customized field |
citationVehicle | ExternalVehicle | false | none | Vehicle to which citation was issued |
courtDateUtc | string(date-time) | false | none | Date/time of court case in UTC |
courtName | string | false | none | Name of the court |
courtRoomNumber | string | false | none | Court room number where the case took place |
courtType | string | false | none | Display abbreviation of attribute for type of court where the proceedings were held. Attribute Type: Court Type |
courtTypeDisplayName | string | false | read-only | Display name of attribute for type of court where the proceedings were held. Attribute Type: Court Type |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
issuedDateUtc | string(date-time) | true | none | Date/time citation was issued in UTC |
judgeName | string | false | none | Name of the judge |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
placeDetained | string | false | none | Display abbreviation of attribute for the place where defendant was committed/detained prior to court proceedings. Attribute Type: Court Case Place Detained At |
postedSpeed | integer(int32) | false | none | Citation posted speed |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCourtCase
{
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"judgeName": "string",
"mark43Id": 0,
"placeDetained": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
bailAmount | number(double) | false | none | Bail amount set by the judge |
courtDateUtc | string(date-time) | false | none | Date/time of court case in UTC |
courtName | string | false | none | Name of the court |
courtRoomNumber | string | false | none | Court room number where the case took place |
courtType | string | false | none | Display abbreviation of attribute for type of court where the proceedings were held. Attribute Type: Court Type |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
judgeName | string | false | none | Name of the judge |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
placeDetained | string | false | none | Display abbreviation of attribute for the place where defendant was committed/detained prior to court proceedings. Attribute Type: Court Case Place Detained At |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalCustomFields
{
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"judgeName": "string",
"mark43Id": 0,
"placeDetained": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"customReportTypeName": "string",
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedLocations": [
{
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
}
],
"involvedOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"involvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
]
}
Represents custom report type being created in or retrieved from Mark43
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
courtCase | ExternalCourtCase | false | none | Court case associated with report |
customReportTypeName | string | false | none | Name of custom Report Type being returned. This property is ignored when included on a report creation request |
involvedFirearms | [ExternalFirearm] | false | none | Firearms involved in report |
involvedLocations | [ExternalLocation] | false | none | Locations involved in report |
involvedOrganizations | [ExternalOrganization] | false | none | Organizations involved in report |
involvedPersons | [ExternalPerson] | false | none | Persons involved in report |
involvedProperty | [ExternalItemBase] | false | none | Other items involved in report |
involvedVehicles | [ExternalVehicle] | false | none | Vehicles involved in report |
ExternalDateRangeSearchQuery
{
"endDateUtc": "2019-08-24T14:15:22Z",
"startDateUtc": "2019-08-24T14:15:22Z",
"withinLastPeriod": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
endDateUtc | string(date-time) | false | none | End of a date filter |
startDateUtc | string(date-time) | false | none | Start of a date filter. Ignored if withinLastPeriod or toDatePeriod are filled |
withinLastPeriod | string | false | none | ISO 8601 duration format used to determine start of a date filter |
ExternalEntityOrderedAttribute
{
"attributeCode": "string",
"attributeDisplayValue": "string",
"attributeId": 0,
"attributeType": "CRIMINAL_ACTIVITY_CATEGORY",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"sequenceOrder": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
attributeCode | string | false | none | Code / display abbreviation of the attribute |
attributeDisplayValue | string | false | none | Display value of the attribute |
attributeId | integer(int64) | false | none | ID of the attribute |
attributeType | string | false | none | The attribute type |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
description | string | false | none | Description |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
sequenceOrder | integer(int32) | false | none | Sequence order |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
attributeType | CRIMINAL_ACTIVITY_CATEGORY |
attributeType | ANIMAL_CRUELTY_CATEGORY |
attributeType | DRUG_MEASUREMENT |
attributeType | TYPE_OF_MARIJUANA |
attributeType | ETHNICITY |
attributeType | BIAS_MOTIVATION |
attributeType | BIAS_MOTIVATION_CATEGORY |
attributeType | INJURY_CATEGORY |
attributeType | JUSTIFIABLE_HOMICIDE_CIRCUMSTANCE |
attributeType | LEOKA_ACTIVITY_CATEGORY |
attributeType | LEOKA_ASSIGNMENT_CATEGORY |
attributeType | LOCATION_CATEGORY |
attributeType | WEATHER |
attributeType | ITEM_CATEGORY |
attributeType | PROPERTY_LOSS |
attributeType | BUILD |
attributeType | SEX |
attributeType | HAIR_COLOR |
attributeType | ITEM_TYPE |
attributeType | OFFENSE_STATUS |
attributeType | JUVENILE_DISPOSITION |
attributeType | RACE |
attributeType | EYE_COLOR |
attributeType | AGGRAVATED_ASSAULT_CIRCUMSTANCE |
attributeType | HOMICIDE_CIRCUMSTANCE |
attributeType | NEGLIGENT_MANSLAUGHTER_CIRCUMSTANCE |
attributeType | REASON_FOR_POLICE_CUSTODY_OF_PROPERTY |
attributeType | REASON_FOR_POLICE_CUSTODY_GLOBAL |
attributeType | ITEM_COLOR |
attributeType | VEHICLE_MAKE |
attributeType | CITIZENSHIP |
attributeType | MARITAL_STATUS |
attributeType | DL_TYPE |
attributeType | STATE |
attributeType | CAUTION |
attributeType | MOOD |
attributeType | MEDICAL_TREATMENT_RECEIVED |
attributeType | INFORMATION_PROVIDED_TO_VICTIM |
attributeType | BODY_PART |
attributeType | HAIR_LENGTH |
attributeType | HAIR_STYLE |
attributeType | FACIAL_HAIR_TYPE |
attributeType | SKIN_TONE |
attributeType | ARREST_DISPOSITION |
attributeType | RANK |
attributeType | DIVISION |
attributeType | PERSONNEL_UNIT |
attributeType | WEAPON_OR_FORCE_INVOLVED |
attributeType | BUREAU |
attributeType | FIELD_CONTACT_REASON_FOR_STOP |
attributeType | FIELD_CONTACT_DISPOSITION |
attributeType | SECURITY_SYSTEM |
attributeType | IDENTIFYING_MARK_TYPE |
attributeType | FIREARM_MAKE |
attributeType | VEHICLE_MODEL |
attributeType | VEHICLE_BODY_STYLE |
attributeType | VISION |
attributeType | LICENSE_STATUS |
attributeType | CLOTHING_TYPE |
attributeType | INDUSTRY |
attributeType | ORGANIZATION_TYPE |
attributeType | FIELD_CONTACT_TYPE_GLOBAL |
attributeType | FIELD_CONTACT_TYPE |
attributeType | FIREARM_STOCK |
attributeType | FIREARM_GRIP |
attributeType | BRANCH |
attributeType | COURT_TYPE_GLOBAL |
attributeType | MODUS_OPERANDI_GROUP |
attributeType | MODUS_OPERANDI |
attributeType | PHYSICAL_CHARACTERISTIC_GROUP |
attributeType | PHYSICAL_CHARACTERISTIC |
attributeType | BEHAVIORAL_CHARACTERISTIC_GROUP |
attributeType | BEHAVIORAL_CHARACTERISTIC |
attributeType | CASE_STATUS |
attributeType | OFFENSE_CASE_STATUS |
attributeType | CASE_STATUS_GLOBAL |
attributeType | EXTERNAL_STATUS |
attributeType | OFFICER_ASSIST_TYPE |
attributeType | MISSING_PERSON_STATUS |
attributeType | MISSING_PERSON_TYPE |
attributeType | MISSING_PERSON_ADDITIONAL_INFO |
attributeType | CASE_ROLE_GLOBAL |
attributeType | DRIVER_LICENSE_ENDORSEMENT |
attributeType | VEHICLE_DAMAGE_AREA |
attributeType | MEDICAL_TRANSPORT_TYPE |
attributeType | LOCATION_PROPERTY_TYPE |
attributeType | PERSON_SKILL |
attributeType | LANGUAGE |
attributeType | INCIDENT_STATISTIC |
attributeType | OFFENSE_STATISTIC |
attributeType | PROPERTY_STATUS_GLOBAL |
attributeType | ARREST_DISPOSITION_GLOBAL |
attributeType | ARRESTEE_WAS_ARMED_WITH |
attributeType | GANG_INFORMATION |
attributeType | ARRESTING_AGENCY |
attributeType | INJURY_FATAL_GLOBAL |
attributeType | ARRESTING_AGENCY_GLOBAL |
attributeType | OFFENSE_CODE_STATUTE_CODE_SET |
attributeType | SUBDIVISION_DEPTH_1 |
attributeType | SUBDIVISION_DEPTH_2 |
attributeType | SUBDIVISION_DEPTH_3 |
attributeType | SUBDIVISION_DEPTH_4 |
attributeType | SUBDIVISION_DEPTH_5 |
attributeType | SUBDIVISION_FIRE_DEPTH_1 |
attributeType | SUBDIVISION_FIRE_DEPTH_2 |
attributeType | SUBDIVISION_FIRE_DEPTH_3 |
attributeType | SUBDIVISION_FIRE_DEPTH_4 |
attributeType | SUBDIVISION_FIRE_DEPTH_5 |
attributeType | SUBDIVISION_MEDICAL_DEPTH_1 |
attributeType | SUBDIVISION_MEDICAL_DEPTH_2 |
attributeType | SUBDIVISION_MEDICAL_DEPTH_3 |
attributeType | SUBDIVISION_MEDICAL_DEPTH_4 |
attributeType | SUBDIVISION_MEDICAL_DEPTH_5 |
attributeType | EVENT_STATISTICS |
attributeType | MEDICAL_STATISTICS |
attributeType | ADVISED_RIGHTS_RESPONSE |
attributeType | ARREST_TACTICS |
attributeType | ARREST_STATISTICS |
attributeType | WARRANT_CHECK_TYPES |
attributeType | REPORT_NOTIFICATION_TYPE |
attributeType | LAB_TEST_STATUS |
attributeType | PROOF_OF_OWNERSHIP_GLOBAL |
attributeType | PROOF_OF_OWNERSHIP |
attributeType | LEGACY_CHARGE_SOURCE |
attributeType | USE_OF_FORCE_STATISTICS |
attributeType | USE_OF_FORCE_SUBJECT_DETAILS |
attributeType | USE_OF_FORCE_SUBJECT_ACTIONS |
attributeType | USE_OF_FORCE_OFFICER_FORCE_TOWARDS_SUBJECT |
attributeType | USE_OF_FORCE_REASON |
attributeType | USE_OF_FORCE_SUBJECT_DISPOSITION |
attributeType | OFFENSE_CLASSIFICATION |
attributeType | FIELD_CONTACT_SUBJECT_TYPE |
attributeType | COMMUNITY_INFORMATION_STATISTICS |
attributeType | COMMUNITY_INFORMATION_OBTAINED_FROM |
attributeType | CAD_EVENT_TYPE |
attributeType | CAD_SECONDARY_EVENT_TYPE |
attributeType | CUSTOM_REPORT_CLASSIFICATION |
attributeType | ORGANIZATION_TYPE_GLOBAL |
attributeType | BULLETIN_TYPE |
attributeType | ARREST_TYPE_GLOBAL |
attributeType | ARREST_TYPE |
attributeType | BULLETIN_TYPE_GLOBAL |
attributeType | COURT_TYPE |
attributeType | USER_SKILL |
attributeType | USER_TRAINING |
attributeType | CFS_PRIORITY_GLOBAL |
attributeType | CFS_PRIORITY |
attributeType | CAD_CALL_INPUT |
attributeType | CALL_TAKER_STATION |
attributeType | PHONE_MAKE |
attributeType | PHONE_MODEL |
attributeType | COMMUNITY_INFORMATION_DISPOSITION |
attributeType | EQUIPMENT_TYPE |
attributeType | MAX_TIME_SPENT_IN_STATUS |
attributeType | COMMUNITY_INFORMATION_REASON_FOR_REPORT |
attributeType | DIRECTED_PATROL |
attributeType | VIRTUAL_PATROL |
attributeType | ADMIN_PATROL |
attributeType | SPECIAL_ASSIGNMENT |
attributeType | COURT_CASE_PLACE_DETAINED_AT |
attributeType | EVENT_CLEARING_DISPOSITION |
attributeType | TOW_VEHICLE_TOW_COMPANY |
attributeType | AGENCY_TYPE_GLOBAL |
attributeType | AGENCY_TYPE |
attributeType | EDUCATION_LEVEL |
attributeType | EVIDENCE_FACILITY_GLOBAL |
attributeType | EVIDENCE_FACILITY |
attributeType | TASK_STATUS_GLOBAL |
attributeType | TASK_STATUS |
attributeType | EVENT_ORIGIN_GLOBAL |
attributeType | EVENT_ORIGIN |
attributeType | EVENT_STATUS_GLOBAL |
attributeType | EVENT_STATUS |
attributeType | TAG_NUMBER |
attributeType | UNIT_TYPE |
attributeType | RISK_LEVEL_GLOBAL |
attributeType | RISK_LEVEL |
attributeType | EMPLOYEE_TYPE |
attributeType | USE_OF_FORCE_SUBJECT_PERCEIVED_ARMED_WITH |
attributeType | USE_OF_FORCE_SUBJECT_CONFIRMED_ARMED_WITH |
attributeType | USE_OF_FORCE_SUBJECT_INJURY_SEVERITY |
attributeType | USE_OF_FORCE_OFFICER_INJURY_SEVERITY |
attributeType | USE_OF_FORCE_SUBJECT_INJURY_TYPE |
attributeType | USE_OF_FORCE_OFFICER_INJURY_TYPE |
attributeType | USE_OF_FORCE_OFFICER_FORCE_TOWARDS_SUBJECT_LOCATION |
attributeType | USE_OF_FORCE_SUBJECT_FORCE_TOWARDS_OFFICER_LOCATION |
attributeType | USE_OF_FORCE_MEDICAL_AID_RECEIVED |
attributeType | USE_OF_FORCE_SUBJECT_FORCE_TOWARDS_OFFICER |
attributeType | OFFICER_DRESS |
attributeType | TOW_VEHICLE_STATUS |
attributeType | TOW_VEHICLE_REASON_FOR_TOW_GLOBAL |
attributeType | TOW_VEHICLE_REASON_FOR_TOW |
attributeType | TOW_VEHICLE_RELEASE_TYPE |
attributeType | EVENT_COMMUNICATION_TYPE_GLOBAL |
attributeType | EVENT_COMMUNICATION_TYPE |
attributeType | NAME_IDENTIFIER_TYPE |
attributeType | NAME_IDENTIFIER_TYPE_GLOBAL |
attributeType | WARRANT_TYPE |
attributeType | WARRANT_TYPE_GLOBAL |
attributeType | WARRANT_STATUS |
attributeType | WARRANT_STATUS_GLOBAL |
attributeType | WARRANT_STATISTIC |
attributeType | LOCATION_CAUTION_PRIORITY |
attributeType | LOCATION_CAUTION_CATEGORY |
attributeType | LOCATION_CAUTION |
attributeType | ITEM_IDENTIFIER_TYPE |
attributeType | ITEM_IDENTIFIER_TYPE_GLOBAL |
attributeType | MILITARY_BRANCH |
attributeType | RESIDENT_OF_JURISDICTION |
attributeType | EXPORT_RELEASED_TO |
attributeType | CITATION_TYPE |
attributeType | CITATION_STATISTICS |
attributeType | ROLODEX_PROFILE_TYPE |
attributeType | ROUTING_LABEL |
attributeType | COPLOGIC_CUSTOM_FIELD_MAPPING |
attributeType | SUPPLEMENT_TYPE |
attributeType | REASON_FOR_ASSOCIATION |
attributeType | EXTERNAL_RECORD_SOURCE |
attributeType | RADIO_CHANNEL |
attributeType | BEHAVIORAL_CRISIS_DISPOSITION |
attributeType | DISPATCH_GROUP |
attributeType | SERVICE_ROTATION_ACTION_TYPE_GLOBAL |
attributeType | SERVICE_ROTATION_ADMIN_ACTION_TYPE_GLOBAL |
attributeType | NAME_ITEM_ASSOCIATION_GLOBAL |
attributeType | NAME_ITEM_ASSOCIATION |
attributeType | GANG_CRITERIA |
attributeType | GANG_NAME |
attributeType | GANG_SUBGROUP |
attributeType | WARRANT_ACTIVITY |
attributeType | WARRANT_ACTIVITY_GLOBAL |
attributeType | SUBJECT_DATA_RACE |
attributeType | SUBJECT_DATA_GENDER |
attributeType | SUBJECT_DATA_DISABILITY |
attributeType | INTERNAL_WARRANT_STATUS |
attributeType | WARRANT_ENTRY_LEVEL_CODE |
attributeType | SUBJECT_DATA_REASON_FOR_STOP |
attributeType | SUBJECT_DATA_RESULT_OF_STOP |
attributeType | EXHIBITING_BEHAVIOR |
attributeType | BEHAVIORAL_CRISIS_TECHNIQUES_USED |
attributeType | WEAPON_INVOLVED |
attributeType | MEDICAL_FACILITY |
attributeType | VEHICLE_RECOVERY_TYPE |
attributeType | DEX_WARRANT_TYPE |
attributeType | ISSUING_AGENCY_NAME |
attributeType | WARRANT_FELONY_EXTRADITION |
attributeType | WARRANT_MISDEMEANOR_EXTRADITION |
attributeType | PERSON_LABEL_PRIORITY |
attributeType | PERSON_LABEL_CATEGORY |
attributeType | PERSON_LABEL_ATTRIBUTES |
attributeType | ABUSE_TYPE |
attributeType | REASON_FOR_NO_ARREST |
attributeType | POLICE_ACTION |
attributeType | PREVIOUS_COMPLAINTS |
attributeType | PRIOR_COURT_ORDERS |
attributeType | HOW_AGGRESSOR_WAS_IDENTIFIED |
attributeType | SUBSTANCE_ABUSE |
attributeType | ALARM_LEVEL |
attributeType | RESULT_OF_STOP_GLOBAL |
attributeType | RESULT_OF_STOP |
attributeType | ARREST_BASED_ON |
attributeType | REASON_FOR_SEARCH |
attributeType | WAS_SUBJECT_SCREENED |
attributeType | PROTECTION_ORDER_TYPE |
attributeType | PROTECTION_ORDER_STATUS |
attributeType | MISSING_PERSON_CRITICALITY |
attributeType | INVESTIGATION_TYPE |
attributeType | INVESTIGATION_SEVERITY |
attributeType | PROSECUTOR_TYPE |
attributeType | OFFENSE_CODE_TYPE |
attributeType | OFFENSE_CODE_LEVEL |
attributeType | HATE_CRIME_OFFENSIVE_ACT |
attributeType | VICTIM_BY_ASSOCIATION_TYPE |
attributeType | VICTIM_BY_ASSOCIATION_RELATION |
attributeType | POLICE_ACTION_GLOBAL |
attributeType | QC_CRASH_CLASSIFICATION_OWNERSHIP |
attributeType | QC_CRASH_CLASSIFICATION_CHARACTERISTICS |
attributeType | QC_CRASH_CLASSIFICATION_SECONDARY_CRASH |
attributeType | QC_FIRST_HARMFUL_EVENT |
attributeType | QC_LOCATION_OF_FIRST_HARMFUL_EVENT |
attributeType | QC_MANNER_OF_CRASH |
attributeType | QC_SOURCE_OF_INFORMATION |
attributeType | QC_LIGHT_CONDITION |
attributeType | QC_ROADWAY_SURFACE_CONDITION |
attributeType | QC_ROADWAY_CONTRIBUTING_CIRCUMSTANCES |
attributeType | QC_JUNCTION_WITHIN_INTERCHANGE_AREA |
attributeType | QC_JUNCTION_SPECIFIC_LOCATION |
attributeType | QC_INTERSECTION_NUM_APPROACHES |
attributeType | QC_INTERSECTION_OVERALL_GEOMETRY |
attributeType | QC_INTERSECTION_OVERALL_TRAFFIC_CONTROL_DEVICE |
attributeType | QC_SCHOOL_BUS_RELATED |
attributeType | QC_WORK_ZONE_RELATED |
attributeType | QC_WORK_ZONE_LOCATION_OF_CRASH |
attributeType | QC_WORK_ZONE_TYPE |
attributeType | QC_WORK_ZONE_WORKERS_PRESENT |
attributeType | QC_WORK_ZONE_LAW_ENFORCEMENT_PRESENT |
attributeType | QC_CRASH_SEVERITY |
attributeType | QC_ALCOHOL_INVOLVEMENT |
attributeType | QC_DRUG_INVOLVEMENT |
attributeType | QC_DAY_OF_WEEK |
attributeType | QC_UNIT_TYPE |
attributeType | QC_BODY_TYPE_CATEGORY |
attributeType | QC_NUM_TRAILING_UNITS |
attributeType | QC_VEHICLE_SIZE |
attributeType | QC_HAS_HM_PLACARD |
attributeType | QC_SPECIAL_FUNCTION |
attributeType | QC_EMERGENCY_MOTOR_VEHICLE_USE |
attributeType | QC_DIRECTION_OF_TRAVEL_BEFORE_CRASH |
attributeType | QC_TRAFFICWAY_TRAVEL_DIRECTIONS |
attributeType | QC_TRAFFICWAY_DIVIDED |
attributeType | QC_TRAFFICWAY_BARRIER_TYPE |
attributeType | QC_TRAFFICWAY_HOV_HOT_LANES |
attributeType | QC_CRASH_RELATED_TO_HOV_HOT_LANES |
attributeType | QC_ROADWAY_HORIZONTAL_ALIGNMENT |
attributeType | QC_ROADWAY_GRADE |
attributeType | QC_TRAFFIC_CONTROLS_TYPE |
attributeType | QC_TRAFFIC_CONTROLS_INOPERATIVE_OR_MISSING |
attributeType | QC_MANEUVER |
attributeType | QC_INITIAL_POINT_OF_CONTACT |
attributeType | QC_LOCATION_OF_DAMAGED_AREAS |
attributeType | QC_RESULTING_EXTENT_OF_DAMAGE |
attributeType | QC_SEQUENCE_OF_EVENTS |
attributeType | QC_MOST_HARMFUL_EVENT |
attributeType | QC_HIT_AND_RUN |
attributeType | QC_TOWED_DUE_TO_DISABLING_DAMAGE |
attributeType | QC_VEHICLE_CONTRIBUTING_CIRCUMSTANCES |
attributeType | QC_PERSON_TYPE |
attributeType | QC_INCIDENT_RESPONDER |
attributeType | QC_INJURY_STATUS |
attributeType | QC_SEATING_POSITION |
attributeType | QC_RESTRAINTS_AND_HELMETS |
attributeType | QC_RESTRAINT_SYSTEMS_IMPROPER_USE |
attributeType | QC_AIR_BAG_DEPLOYED |
attributeType | QC_EJECTION |
attributeType | QC_DRIVER_LICENSE_JURISDICTION |
attributeType | QC_DRIVER_LICENSE_CLASS |
attributeType | QC_DRIVER_LICENSE_CDL |
attributeType | QC_SPEEDING_RELATED |
attributeType | QC_DRIVER_ACTIONS |
attributeType | QC_DRIVER_LICENSE_RESTRICTIONS |
attributeType | QC_ALCOHOL_INTERLOCK_PRESENT |
attributeType | QC_DISTRACTED_BY |
attributeType | QC_DISTRACTED_BY_SOURCE |
attributeType | QC_CONDITION |
attributeType | QC_LAW_ENFORCEMENT_SUSPECTS_ALCOHOL_USE |
attributeType | QC_ALCOHOL_TEST_STATUS |
attributeType | QC_ALCOHOL_TEST_TYPE |
attributeType | QC_ALCOHOL_TEST_RESULT |
attributeType | QC_LAW_ENFORCEMENT_SUSPECTS_DRUG_USE |
attributeType | QC_DRUG_TEST_STATUS |
attributeType | QC_DRUG_TEST_TYPE |
attributeType | QC_DRUG_TEST_RESULT |
attributeType | QC_MEDICAL_TRANSPORT_SOURCE |
attributeType | QC_INJURY_AREA |
attributeType | QC_INJURY_SEVERITY |
attributeType | QC_GRADE_DIRECTION_OF_SLOPE |
attributeType | QC_PART_OF_NATIONAL_HIGHWAY_SYSTEM |
attributeType | QC_ROADWAY_FUNCTIONAL_CLASS |
attributeType | QC_ACCESS_CONTROL |
attributeType | QC_ROADWAY_LIGHTING |
attributeType | QC_LONGITUDINAL_EDGELINE_TYPE |
attributeType | QC_LONGITUDINAL_CENTERLINE_TYPE |
attributeType | QC_LONGITUDINAL_LANE_LINE_MARKINGS |
attributeType | QC_TYPE_OF_BICYCLE_FACILITY |
attributeType | QC_SIGNED_BICYCLE_ROUTE |
attributeType | QC_MAINLINE_NUM_LANES_AT_INTERSECTION |
attributeType | QC_CROSS_STREET_NUM_LANES_AT_INTERSECTION |
attributeType | QC_ATTEMPTED_AVOIDANCE_MANEUVER |
attributeType | QC_FATAL_ALCOHOL_TEST_TYPE |
attributeType | QC_FATAL_DRUG_TEST_TYPE |
attributeType | QC_CMV_LICENSE_STATUS |
attributeType | QC_CMV_LICENSE_COMPLIANCE |
attributeType | QC_MOTOR_CARRIER_IDENTIFICATION_TYPE |
attributeType | QC_MOTOR_CARRIER_IDENTIFICATION_CARRIER_TYPE |
attributeType | QC_VEHICLE_CONFIGURATION |
attributeType | QC_VEHICLE_CONFIGURATION_SPECIAL_SIZING |
attributeType | QC_VEHICLE_CONFIGURATION_PERMITTED |
attributeType | QC_CARGO_BODY_TYPE |
attributeType | QC_HAZARDOUS_MATERIALS_RELEASED |
attributeType | QC_NON_MOTORIST_ACTION_PRIOR_TO_CRASH |
attributeType | QC_NON_MOTORIST_ORIGIN_OR_DESTINATION |
attributeType | QC_NON_MOTORIST_CONTRIBUTING_ACTIONS |
attributeType | QC_NON_MOTORIST_LOCATION_AT_TIME_OF_CRASH |
attributeType | QC_NON_MOTORIST_SAFETY_EQUIPMENT |
attributeType | QC_INITIAL_CONTACT_POINT_ON_NON_MOTORIST |
attributeType | QC_MOTOR_VEHICLE_AUTOMATED_DRIVING_SYSTEMS |
attributeType | QC_MOTOR_VEHICLE_AUTOMATED_DRIVING_SYSTEMS_LEVEL |
attributeType | QC_MOTOR_VEHICLE_AUTOMATED_DRIVING_SYSTEMS_ENGAGED |
attributeType | PROBATION_TYPE |
attributeType | LOCATION_POSITION |
attributeType | STOP_ACTION_TAKEN |
attributeType | STOP_BASIS_FOR_PROPERTY_SEIZURE |
attributeType | STOP_EDUCATION_CODE_SECTION |
attributeType | STOP_EDUCATION_CODE_SUBDIVISION |
attributeType | STOP_SUSPICION_TYPE |
attributeType | STOP_TYPE_OF_PROPERTY_SEIZED |
attributeType | STOP_TYPE_OF_TRAFFIC_VIOLATION |
attributeType | STOP_USER_ASSIGNMENT_TYPE |
attributeType | STOP_DATA_OFFICER_RACE |
attributeType | STOP_DATA_OFFICER_GENDER |
attributeType | SUBJECT_DATA_PROBABLE_CAUSE |
attributeType | TYPE_OF_SEARCH |
attributeType | OBJECT_OF_SEARCH |
attributeType | ENTRY_POINT |
attributeType | PROPERTY_TYPE_OF_SEARCH |
attributeType | PROPERTY_REASON_FOR_SEARCH |
attributeType | STOP_PROPERTY_TYPE_OF_PROPERTY_SEIZED |
attributeType | QC_HAZARDOUS_MATERIALS_CLASS |
attributeType | STOP_REASON_FOR_STOP |
attributeType | VEHICLE_INVOLVEMENT_TYPE |
attributeType | BOLO_CATEGORY |
attributeType | LOCATION_INTEREST_TYPE |
attributeType | USE_OF_FORCE_EXTENDED_BOOLEAN |
attributeType | USE_OF_FORCE_SUBJECT_THREAT_DIRECTED_AT |
attributeType | USE_OF_FORCE_SUBJECT_DE_ESCALATION_TYPE |
attributeType | OFFICER_EMPLOYMENT_TYPE |
attributeType | QC_LANDMARK_DISTANCE_UNITS |
attributeType | QC_LANDMARK_DIRECTION |
attributeType | COURT_CODE_GLOBAL |
attributeType | COURT_CODE |
attributeType | SEALING_STATUTE_CODE |
attributeType | EVENT_CLEARING_DISPOSITION_TYPE_GLOBAL |
attributeType | SUBJECT_DATA_CONTRABAND_OR_EVIDENCE |
attributeType | USE_OF_FORCE_SUBJECT_IMPAIRMENTS |
attributeType | QC_MILEPOST_DIRECTION |
attributeType | QC_MILEPOST_DISTANCE_UNITS |
attributeType | QC_ROADWAY_DIRECTION |
attributeType | USE_OF_FORCE_OFFICER_DUTY_TYPE |
attributeType | USE_OF_FORCE_PENDING_UNKNOWN |
attributeType | ARREST_ARRESTEE_SUSPECTED_USING |
attributeType | YES_NO_UNKNOWN |
attributeType | RELIGION |
attributeType | TASK_TYPE |
attributeType | FIREARM_SERIAL_NUMBER_LOCATION |
attributeType | FIREARM_MODEL_NUMBER_LOCATION |
attributeType | DRUG_FORM_TYPE |
attributeType | PHONE_SERVICE_STATUS |
attributeType | INDEMNITY_OBTAINED_TYPE |
attributeType | VICTIM_DISABILITY_TYPE |
attributeType | OFFENDER_HOUSEHOLD_STATUS |
attributeType | NCIC_FIREARM_CALIBER_TYPE |
attributeType | VEHICLE_LABEL_CATEGORY |
attributeType | VEHICLE_LABEL_ATTRIBUTES |
attributeType | NJ_BIAS_DESCRIPTION |
attributeType | PRIORITY_GLOBAL |
attributeType | TASK_PRIORITY |
attributeType | CHARGE_STATUS |
attributeType | INFANT_AGE |
attributeType | CITATION_CHARGE_RESULT |
attributeType | ARREST_STATUS |
attributeType | DRUGS_DATA_SOURCE |
attributeType | TYPE_OF_STOP |
attributeType | STOP_NON_FORCIBLE_ACTION_TAKEN |
attributeType | STOP_FORCIBLE_ACTION_TAKEN |
attributeType | CONSENT_TYPE |
attributeType | RADIO_ID |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalEventRadioChannel
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"radioChannel": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"name": "string",
"status": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents the relationship between a CAD event and a radio channel
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
radioChannel | ExternalRadioChannel | false | none | The ExternalRadioChannel related to a CAD event |
type | string | false | none | The type of radio channel used for the CAD event |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalEvidenceItems
{
"approvalStatus": "APPROVED",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalSystem": "string",
"firearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"property": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"reportingEventNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
]
}
Represents evidence property, firearms, and vehicles
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
approvalStatus | string | false | none | Approval status to create report in. If not populated, report is created as SUBMITTED |
approvedBy | ExternalUser | false | none | User information of report approver |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
firearms | [ExternalFirearm] | false | none | Evidence firearms to create |
property | [ExternalItemBase] | false | none | Evidence property (non-vehicle and non-firearm) to create |
reportingEventNumber | string | false | none | Reporting Event Number evidence items are associated with |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
vehicles | [ExternalVehicle] | false | none | Evidence vehicles to create |
Allowable Values
Property | Value |
---|---|
approvalStatus | APPROVED |
approvalStatus | COMPLETED |
ExternalExportRelease
{
"additionalInformation": "string",
"attachmentUrls": [
"string"
],
"createdDateUtc": "2019-08-24T14:15:22Z",
"entityId": 0,
"entityType": {
"cadentityType": true,
"dataExchangeEntityType": true,
"elasticSearchEntityType": true,
"evidenceEntityType": true,
"name": "string",
"rmsentityType": true,
"schemaLocation": "string",
"securityEntityType": true,
"value": 0
},
"externalId": "string",
"externalReport": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatisticOtherDescription": "string",
"eventStatistics": [
"string"
],
"eventStatisticsDisplayNames": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"mark43Id": 0,
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {},
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationChargeResultDisplayName1": "string",
"citationChargeResultDisplayName2": "string",
"citationChargeResultDisplayName3": "string",
"citationChargeResultDisplayName4": "string",
"citationChargeResultDisplayName5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatisticOtherDescription": "string",
"citationStatistics": [],
"citationStatisticsDisplayNames": [],
"citationType": "string",
"citationTypeDisplayName": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"courtTypeDisplayName": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"mark43Id": 0,
"placeDetained": "string",
"postedSpeed": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"mark43Id": 0,
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"keysInVehicle": true,
"mark43Id": 0,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"mark43Id": 0,
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"updatedDateUtc": "2019-08-24T14:15:22Z",
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"mark43Id": 0,
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"updatedDateUtc": "2019-08-24T14:15:22Z",
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"mark43Id": 0,
"primaryUnit": "string",
"supplementType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"externalType": "WARRANT",
"isImpounded": true,
"mark43Id": 0,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"mark43Id": 0,
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"updatedDateUtc": "2019-08-24T14:15:22Z",
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"externalType": "WARRANT",
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isLegacyReport": true,
"mark43Id": 0,
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"useOfForce": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"incidentResultedInCrimeReport": true,
"mark43Id": 0,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
},
"externalSystem": "string",
"externalType": "WARRANT",
"fileBytes": [
"string"
],
"fileName": "string",
"filePath": "string",
"fileType": "CSV",
"mark43FileId": 0,
"mark43Id": 0,
"releaseTypeOther": "string",
"releasedByUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"releasedDateUtc": "2019-08-24T14:15:22Z",
"releasedRecordNumber": "string",
"releasedReportNumber": "string",
"releasedToAttr": "string",
"releasedToOther": "string",
"reportCreatedDateUtc": "2019-08-24T14:15:22Z",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents releases for exported reports
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalInformation | string | false | none | Additional information about the release |
attachmentUrls | [string] | false | none | URLs of attachments included in the release |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
entityId | integer(int64) | false | none | ID of the entity being released |
entityType | EntityType | false | none | Entity type being released |
externalId | string | false | none | Identifier of entity in external system |
externalReport | ExternalReport | false | none | Report that is included in the release |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
fileBytes | [string] | false | none | Data bytes of the file attachment. Only populated through specific endpoint |
fileName | string | false | none | Name of the file |
filePath | string | false | none | Link to files/attachments associated with release |
fileType | string | false | none | Type of the file |
mark43FileId | integer(int64) | false | none | ID of the file attachment |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
releaseTypeOther | string | false | none | Release type |
releasedByUser | ExternalUser | false | none | User who created the release |
releasedDateUtc | string(date-time) | false | none | Date/time of release in UTC |
releasedRecordNumber | string | false | none | Record Number or other unique identifier for the event |
releasedReportNumber | string | false | none | Reporting Event Number or other unique identifier for the event |
releasedToAttr | string | false | none | Display value of attribute denoting where or to whom export will be released. Attribute Type: Export Released To |
releasedToOther | string | false | none | Free-text field to provide details when released to is 'OTHER' |
reportCreatedDateUtc | string(date-time) | false | none | Date/time of report creation in UTC |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
fileType | CSV |
fileType | TXT |
fileType | RTF |
fileType | XML |
fileType | JSON |
fileType | HTML |
fileType | VCF |
fileType | JS |
fileType | URL |
fileType | |
fileType | MP3 |
fileType | M4A |
fileType | WAV |
fileType | WMA |
fileType | AMR |
fileType | _3G2 |
fileType | AAC |
fileType | MPGA |
fileType | AIFF |
fileType | RA |
fileType | ZIP |
fileType | RAR |
fileType | GZ |
fileType | _7Z |
fileType | WMV |
fileType | AVI |
fileType | MP4 |
fileType | MOV |
fileType | MPEG |
fileType | M4V |
fileType | ASF |
fileType | _3GP |
fileType | DVR |
fileType | VOB |
fileType | FLV |
fileType | UVH |
fileType | UVM |
fileType | UVU |
fileType | MXF |
fileType | F4V |
fileType | M2V |
fileType | JPG |
fileType | GIF |
fileType | PNG |
fileType | TIFF |
fileType | BMP |
fileType | JFIF |
fileType | PSD |
fileType | DNG |
fileType | AI |
fileType | WEBP |
fileType | HEIF |
fileType | ARW |
fileType | CR2 |
fileType | NEF |
fileType | ICO |
fileType | PCX |
fileType | EPS |
fileType | CRW |
fileType | ORF |
fileType | RAF |
fileType | RW2 |
fileType | SRW |
fileType | RWL |
fileType | JP2 |
fileType | JPF |
fileType | DOC |
fileType | DOCX |
fileType | DOTX |
fileType | MSG |
fileType | POTX |
fileType | PPSX |
fileType | PPT |
fileType | PPTX |
fileType | XLS |
fileType | XLSX |
fileType | XLTX |
fileType | DOCM |
fileType | DOTM |
fileType | MHT |
fileType | ONE |
fileType | POTM |
fileType | PPAM |
fileType | PPSM |
fileType | PPTM |
fileType | XLAM |
fileType | XLSB |
fileType | XLSM |
fileType | XLTM |
fileType | DOT |
fileType | EDD |
fileType | LOG |
fileType | SHP |
fileType | SIG |
fileType | SMI |
fileType | DLL |
fileType | EXE |
fileType | OFM |
fileType | FR |
fileType | NWT |
fileType | THJ |
fileType | DAT |
fileType | DBF |
fileType | MUG |
fileType | THMX |
fileType | TMP |
fileType | MM |
fileType | BIN |
fileType | VBS |
fileType | RDP |
fileType | ISO |
fileType | DMG |
fileType | ADE |
fileType | ADP |
fileType | BAT |
fileType | CHM |
fileType | CMD |
fileType | COM |
fileType | CPL |
fileType | HTA |
fileType | INS |
fileType | ISP |
fileType | JAR |
fileType | JSE |
fileType | LIB |
fileType | LNK |
fileType | MDE |
fileType | MSC |
fileType | MSI |
fileType | MSP |
fileType | MST |
fileType | NSH |
fileType | PIF |
fileType | SCR |
fileType | SCT |
fileType | SHB |
fileType | SYS |
fileType | VB |
fileType | VBE |
fileType | VXD |
fileType | WSC |
fileType | WSF |
fileType | WSH |
fileType | CAB |
fileType | NIST |
fileType | CDRX |
ExternalExpungementOrSeal
{
"expungedOrSealedDateUtc": "2019-08-24T14:15:22Z",
"hasExpungedPeople": true,
"isDeleted": true,
"isNarrativeSealed": true,
"isSealed": true,
"mark43ReportId": 0,
"reportingEventNumber": "string"
}
Model that represents a report that has been expunged/deleted, sealed, or contains sealed or expunged data
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
expungedOrSealedDateUtc | string(date-time) | true | none | Date/time report was deleted/sealed, or when an associated person was expunged in UTC. Displays the more recent of the two |
hasExpungedPeople | boolean | false | none | True if any people tied to the report have been expunged |
isDeleted | boolean | true | none | True if the report has been expunged or deleted from Mark43 |
isNarrativeSealed | boolean | true | none | True if report narrative has been sealed |
isSealed | boolean | true | none | True if the report has been sealed |
mark43ReportId | integer(int64) | true | none | Mark43 ID of the report |
reportingEventNumber | string | true | none | Reporting Event Number of the report |
ExternalExpungementsAndSealsResult
{
"expungementsOrSeals": [
{
"expungedOrSealedDateUtc": "2019-08-24T14:15:22Z",
"hasExpungedPeople": true,
"isDeleted": true,
"isNarrativeSealed": true,
"isSealed": true,
"mark43ReportId": 0,
"reportingEventNumber": "string"
}
],
"queryRangeTooBroad": true
}
Result containing reports that were expunged, sealed, or have expunged people, and an indicator that some results may be missing
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
expungementsOrSeals | [ExternalExpungementOrSeal] | true | none | List of results indicating status of individual reports |
queryRangeTooBroad | boolean | true | none | Indicates whether or not some results may be missing. If true, the query time range was too broad |
ExternalFieldContact
{
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fieldContactLocations": [
{
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
}
],
"fieldContactOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"fieldContactSubjects": [
{
"armedAndDangerousNarrative": "string",
"subjectOrganization": {},
"subjectPerson": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"wasFrisked": true
}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"localId": "string",
"mark43Id": 0,
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"wasStopScreenedBySupervisor": true
}
Model that represents a field contact encounter
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
communityInformationObtainedFrom | string | false | none | Display abbreviation of attribute indicating the source of community information. Attribute Type: Community Information Obtained From |
communityInformationObtainedFromDescription | string | false | none | Description for community information obtained from attribute |
contactDetailsNarrative | string | false | none | Used to describe officer actions taken to contact and detain the subject |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
detainedEndDateUtc | string(date-time) | false | none | End date/time a subject was detained in UTC |
detainedStartDateUtc | string(date-time) | false | none | Start date/time a subject was detained in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
fieldContactLocations | [ExternalLocation] | false | none | Locations related to field contact |
fieldContactOrganizations | [ExternalOrganization] | false | none | Organizations associated with a subject of field contact |
fieldContactSubjects | [ExternalFieldContactSubject] | false | none | Person subjects of field contact |
fieldContactType | string | false | none | Display abbreviation of attribute for field contact type. Attribute Type: Field Contact Type |
fieldContactTypeDescription | string | false | none | Description for field contact type attribute |
involvedFirearms | [ExternalFirearm] | false | none | Firearms related to field contact |
involvedProperty | [ExternalItemBase] | false | none | Items related to field contact |
involvedVehicles | [ExternalVehicle] | false | none | Vehicles related to field contact |
localId | string | false | none | Local identifier for field contact |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
movingViolationNumber | string | false | none | Moving violation number |
policeExperienceNarrative | string | false | none | Describes police experience as it relates to this stop |
reasonForStop | string | false | none | Display abbreviation of attribute indicating reason for the stop. Attribute Type: Field Contact Reason For Stop |
reasonForStopDescription | string | false | none | Description for field contact reason for stop attribute |
reasonableSuspicionNarrative | string | false | none | Used to describe reasonable suspicion of a subject's involvement in criminal activity |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
wasStopScreenedBySupervisor | boolean | false | none | True if the stop was screened on-site by a supervisor |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalFieldContactSubject
{
"armedAndDangerousNarrative": "string",
"subjectOrganization": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [
"string"
],
"officialAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"physicalAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"subjectPerson": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"workAddresses": [
{}
]
},
"subjectType": "string",
"subjectTypeDescription": "string",
"wasFrisked": true
}
Model that represents a person or organization involved in a field contact encounter
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
armedAndDangerousNarrative | string | false | none | Used to describe why officer believed the subject was armed and dangerous |
subjectOrganization | ExternalOrganization | false | none | Organization subject of the field contact |
subjectPerson | ExternalPerson | false | none | Person subject of the field contact |
subjectType | string | false | none | Deprecated. Use the subjectType field on the subjectPerson member of this object |
subjectTypeDescription | string | false | none | Deprecated. Use the subjectTypeDescription field on the subjectPerson member of this object |
wasFrisked | boolean | false | none | True if subject was frisked as part of the field contact |
ExternalFirearm
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"altered": true,
"barcodeValues": [
"string"
],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [
{
"attributeType": "QC_TRAFFIC_CONTROLS_TYPE",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"parentAttributeId": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"linkedNames": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"linkType": "LinkTypes.OWNED_BY",
"linkedOrganization": {},
"linkedPerson": {},
"mark43Id": 0,
"nameItemAssociation": "string",
"nameItemAssociationDescription": "string",
"proofOfOwnershipDescription": "string",
"proofOfOwnershipType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
Model that represents a firearm
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalDetails | object | false | none | Miscellaneous information associated with item |
» additionalProperties | string | false | none | none |
altered | boolean | false | none | True if there is any alteration to the firearm |
barcodeValues | [string] | false | none | Barcodes of an item |
barrelLength | number(double) | false | none | Barrel length of firearm |
caliber | string | false | none | Caliber of firearm |
category | string | true | none | Display abbreviation of attribute for category of item. Attribute Type: Item Category |
categoryFullName | string | false | none | Display full name of attribute for category of item. This field is not used for setting any information in Mark43, rather it is only used to return values. Attribute Type: Item Category |
contextId | integer(int64) | false | none | Identifier of entity, either person or organization, that an item is linked to. Populated only for evidence item retrieval |
contextType | string | false | none | Type of entity, either person or organization, that an item is linked to. Populated only for evidence item retrieval |
contextualId | integer(int64) | false | none | Identifier of person, organization, or item associated with entity in Mark43 RMS. Identifier is associated with current entity only. Populated after creation or on retrieval |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
declaredValueUnknown | boolean | false | none | True if value of item is unknown |
description | string | true | none | Description of item |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
finish | string | false | none | Display abbreviation of attribute for finish of firearm. Attribute Type: Item Color |
firearmMake | string | false | none | Display abbreviation of attribute for make of firearm. Attribute Type: Firearm Make |
grip | string | false | none | Display abbreviation of attribute for grip of firearm. Attribute Type: Firearm Grip |
intakePerson | string | false | none | Person responsible for the intake of a recovered item |
isBiohazard | boolean | false | none | True if the item is a biohazard |
isInPoliceCustody | boolean | false | none | Indicates whether or not the item is In Police Custody |
itemAttributes | [ExternalItemAttribute] | false | none | Attributes relating to an item |
linkedNames | [ExternalNameItemLink] | false | none | Owner and claimant names associated with the item, belonging to both persons and organizations |
make | string | false | none | Make of item or vehicle. May be required by UCR/NIBRS. For vehicles, value must be in existing vehicle makes. For firearms, see ExternalFirearm.firearmMake |
mark43Id | integer(int64) | false | none | Deprecated. Use contextualId field |
masterId | integer(int64) | false | none | Identifier of master person, organization, or item in Mark43 RMS. Unique identifier of person across entities. Populated after creation or on retrieval |
measurement | string | false | none | Display abbreviation of attribute for quantity measurement. Attribute Type: Drug Measurement |
model | string | false | none | Model of item, vehicle, or firearm. For vehicles, value must be in existing vehicle models |
numberOfShots | string | false | none | Number of shots fired |
otherIdentifiers | object | false | none | Display abbreviation of attributes indicating other identifiers associated with an item. Rendered as a type: value pair. (e.g Evidence Bag: #123). Attribute Type: Item Identifier Type |
» additionalProperties | string | false | none | none |
primaryColor | string | false | none | Display abbreviation of attribute for primary color of item. May be required by UCR/NIBRS. Attribute Type: Item Color |
primaryColorDisplayName | string | false | read-only | Display name of attribute for primary color of item. Attribute Type: Item Color |
propertyStatus | string | false | none | Display abbreviation of attribute for status of property. Attribute Type: Property Loss |
quantity | number(double) | false | none | Quantity of items. May be required by UCR/NIBRS |
reasonForCustody | string | false | none | Display abbreviation of attribute for reason for police custody of item. May be required by UCR/NIBRS. Attribute Type: Reason For Policy Custody Of Property |
recoveredAddress | ExternalLocation | false | none | Location where item was recovered. May be required by UCR/NIBRS |
recoveredByOther | string | false | none | Other recovering person |
recoveredDateUtc | string(date-time) | true | none | Date/time item was recovered in UTC |
recoveringOfficer | ExternalUser | false | none | User information to search for recovering officer. May be required by UCR/NIBRS |
registrationNumber | string | false | none | Registration number of firearm |
secondaryColor | string | false | none | Display abbreviation of attribute for secondary color of item. Attribute Type: Item Color |
serialNumber | string | false | none | Serial number of item for items excluding vehicles |
size | string | false | none | Size of item |
statementOfFacts | string | false | none | Factual details regarding the recovery of an item |
statusDateUtc | string(date-time) | false | none | Date/time of property status in UTC |
stock | string | false | none | Display abbreviation of attribute for stock of firearm. Attribute Type: Firearm Stock |
storageFacility | string | false | none | Storage facility of item. May be required by UCR/NIBRS |
storageLocation | string | false | none | Storage location of item in facility |
type | string | false | none | Display name of attribute for type of item (parent attribute of category). Attribute Type: Item Type |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
value | number(double) | false | none | Declared value of item. May be required by UCR/NIBRS |
Allowable Values
Property | Value |
---|---|
contextType | WARRANT |
contextType | WARRANT_SUBJECT |
contextType | LINKED_EXTERNAL_RECORD |
contextType | REPORT |
contextType | CASE |
contextType | CAD_EVENT |
contextType | CAD_EVENT_ADDITIONAL_INFO |
contextType | CAD_EVENT_INVOLVED_UNIT |
contextType | CAD_EVENT_INVOLVED_UNIT_STATUS |
contextType | TASK |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalGpsUpdateRequest
{
"gpsAuthToken": "string",
"gpsFormat": "string",
"sourceSystemId": "string",
"unitLocations": [
{
"altitude": 0,
"callSign": "string",
"gpsUpdatedDateUtc": "2019-08-24T14:15:22Z",
"hardwareIdentifier": "string",
"latitude": 0,
"loggedInUser": {},
"longitude": 0,
"rawGpsSentence": "string",
"speedKnots": 0,
"speedMph": 0,
"trueCourse": 0,
"unitId": 0
}
]
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
gpsAuthToken | string | true | none | GPS authentication token provided by Mark43 |
gpsFormat | string | false | none | GPS format. Default is NMEA |
sourceSystemId | string | false | none | Name or ID of the source system |
unitLocations | [ExternalUnitGpsUpdate] | false | none | GPS updates to be processed |
ExternalGpsUpdateResult
{
"gpsResult": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
gpsResult | string | true | none | none |
ExternalImpound
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"keysInVehicle": true,
"mark43Id": 0,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleLocked": true
}
Model that represents an impound event
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
keysInVehicle | boolean | false | none | True if keys were in the vehicle when impounded |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
nicNumberCancellation | string | false | none | Manner in which impound was cleared. Auto squad unit receives this directly from the communications print out |
nicNumberCancellationDateUtc | string(date-time) | false | none | Date/time NIC number cancellation was entered in UTC |
nicNumberCancellationIsLocal | boolean | false | none | True if cancellation NIC number is local (i.e. the canceling agency is your agency) |
nicNumberOriginal | string | false | none | NIC number of vehicle at the time it was reported stolen |
nicNumberOriginalDateUtc | string(date-time) | false | none | Date/time the original NIC number was entered in UTC |
nicNumberOriginalIsLocal | boolean | false | none | True if original NIC number is local (i.e. the originating agency is your agency) |
ocaNumberCancellation | string | false | none | REN of the recovery event of vehicle |
ocaNumberOriginal | string | false | none | REN as originally entered. If another agency reported the vehicle stolen, enter their REN equivalent here |
originatingAgencyCancellation | string | false | none | Originating agency that recovered the vehicle |
originatingAgencyOriginal | string | false | none | Originating agency that reported the vehicle stolen |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
vehicleLocked | boolean | false | none | True if vehicle was locked when impounded |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalInvolvedPerson
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"involvementType": "string",
"mark43Id": 0,
"note": "string",
"personProfile": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"workAddresses": [
{}
]
},
"phoneNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
involvementType | string | false | none | Nature of person's involvement, e.g. Driver or Witness |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
note | string | false | none | A note about the involved person |
personProfile | ExternalPerson | false | none | Involved person profile |
phoneNumber | string | false | none | Involved person's phone number |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalInvolvedProfiles
{
"involvedLocations": [
{
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
}
],
"involvedOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"involvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
]
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
involvedLocations | [ExternalLocation] | false | none | Locations associated with report |
involvedOrganizations | [ExternalOrganization] | false | none | Organizations associated with report |
involvedPersons | [ExternalPerson] | false | none | Persons associated with report |
ExternalItemAttribute
{
"attributeType": "QC_TRAFFIC_CONTROLS_TYPE",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"parentAttributeId": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
attributeType | string | true | none | Attribute Type associated with ExternalItem |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
description | string | false | none | Description of the attribute associated with ExternalItem |
displayAbbreviation | string | false | none | Display abbreviation of attribute associated with ExternalItem. Required if displayValue is not specified |
displayValue | string | false | none | Display value of attribute associated with ExternalItem. Required if displayAbbreviation is not specified |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
parentAttributeId | integer(int64) | false | none | Mark43 ID of the parent attribute |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
attributeType | QC_TRAFFIC_CONTROLS_TYPE |
attributeType | QC_TRAFFIC_CONTROLS_INOPERATIVE_OR_MISSING |
attributeType | QC_LOCATION_OF_DAMAGED_AREAS |
attributeType | QC_VEHICLE_CONFIGURATION_SPECIAL_SIZING |
attributeType | QC_MOTOR_VEHICLE_AUTOMATED_DRIVING_SYSTEMS_LEVEL |
attributeType | QC_MOTOR_VEHICLE_AUTOMATED_DRIVING_SYSTEMS_ENGAGED |
attributeType | FIREARM_SERIAL_NUMBER_LOCATION |
attributeType | FIREARM_MODEL_NUMBER_LOCATION |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalItemBase
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"barcodeValues": [
"string"
],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [
{
"attributeType": "QC_TRAFFIC_CONTROLS_TYPE",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"parentAttributeId": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"linkedNames": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"linkType": "LinkTypes.OWNED_BY",
"linkedOrganization": {},
"linkedPerson": {},
"mark43Id": 0,
"nameItemAssociation": "string",
"nameItemAssociationDescription": "string",
"proofOfOwnershipDescription": "string",
"proofOfOwnershipType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
Contains all of the base fields for items associated with a report
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalDetails | object | false | none | Miscellaneous information associated with item |
» additionalProperties | string | false | none | none |
barcodeValues | [string] | false | none | Barcodes of an item |
category | string | true | none | Display abbreviation of attribute for category of item. Attribute Type: Item Category |
categoryFullName | string | false | none | Display full name of attribute for category of item. This field is not used for setting any information in Mark43, rather it is only used to return values. Attribute Type: Item Category |
contextId | integer(int64) | false | none | Identifier of entity, either person or organization, that an item is linked to. Populated only for evidence item retrieval |
contextType | string | false | none | Type of entity, either person or organization, that an item is linked to. Populated only for evidence item retrieval |
contextualId | integer(int64) | false | none | Identifier of person, organization, or item associated with entity in Mark43 RMS. Identifier is associated with current entity only. Populated after creation or on retrieval |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
declaredValueUnknown | boolean | false | none | True if value of item is unknown |
description | string | true | none | Description of item |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
intakePerson | string | false | none | Person responsible for the intake of a recovered item |
isBiohazard | boolean | false | none | True if the item is a biohazard |
isInPoliceCustody | boolean | false | none | Indicates whether or not the item is In Police Custody |
itemAttributes | [ExternalItemAttribute] | false | none | Attributes relating to an item |
linkedNames | [ExternalNameItemLink] | false | none | Owner and claimant names associated with the item, belonging to both persons and organizations |
make | string | false | none | Make of item or vehicle. May be required by UCR/NIBRS. For vehicles, value must be in existing vehicle makes. For firearms, see ExternalFirearm.firearmMake |
mark43Id | integer(int64) | false | none | Deprecated. Use contextualId field |
masterId | integer(int64) | false | none | Identifier of master person, organization, or item in Mark43 RMS. Unique identifier of person across entities. Populated after creation or on retrieval |
measurement | string | false | none | Display abbreviation of attribute for quantity measurement. Attribute Type: Drug Measurement |
model | string | false | none | Model of item, vehicle, or firearm. For vehicles, value must be in existing vehicle models |
otherIdentifiers | object | false | none | Display abbreviation of attributes indicating other identifiers associated with an item. Rendered as a type: value pair. (e.g Evidence Bag: #123). Attribute Type: Item Identifier Type |
» additionalProperties | string | false | none | none |
primaryColor | string | false | none | Display abbreviation of attribute for primary color of item. May be required by UCR/NIBRS. Attribute Type: Item Color |
primaryColorDisplayName | string | false | read-only | Display name of attribute for primary color of item. Attribute Type: Item Color |
propertyStatus | string | false | none | Display abbreviation of attribute for status of property. Attribute Type: Property Loss |
quantity | number(double) | false | none | Quantity of items. May be required by UCR/NIBRS |
reasonForCustody | string | false | none | Display abbreviation of attribute for reason for police custody of item. May be required by UCR/NIBRS. Attribute Type: Reason For Policy Custody Of Property |
recoveredAddress | ExternalLocation | false | none | Location where item was recovered. May be required by UCR/NIBRS |
recoveredByOther | string | false | none | Other recovering person |
recoveredDateUtc | string(date-time) | true | none | Date/time item was recovered in UTC |
recoveringOfficer | ExternalUser | false | none | User information to search for recovering officer. May be required by UCR/NIBRS |
secondaryColor | string | false | none | Display abbreviation of attribute for secondary color of item. Attribute Type: Item Color |
serialNumber | string | false | none | Serial number of item for items excluding vehicles |
size | string | false | none | Size of item |
statementOfFacts | string | false | none | Factual details regarding the recovery of an item |
statusDateUtc | string(date-time) | false | none | Date/time of property status in UTC |
storageFacility | string | false | none | Storage facility of item. May be required by UCR/NIBRS |
storageLocation | string | false | none | Storage location of item in facility |
type | string | false | none | Display name of attribute for type of item (parent attribute of category). Attribute Type: Item Type |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
value | number(double) | false | none | Declared value of item. May be required by UCR/NIBRS |
Allowable Values
Property | Value |
---|---|
contextType | WARRANT |
contextType | WARRANT_SUBJECT |
contextType | LINKED_EXTERNAL_RECORD |
contextType | REPORT |
contextType | CASE |
contextType | CAD_EVENT |
contextType | CAD_EVENT_ADDITIONAL_INFO |
contextType | CAD_EVENT_INVOLVED_UNIT |
contextType | CAD_EVENT_INVOLVED_UNIT_STATUS |
contextType | TASK |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalLocation
{
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
}
Model that represents a location
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalDescription | string | false | none | Additional description information for the location |
apartmentNumber | string | false | none | Apartment number of location address |
category | string | false | none | Display abbreviation of attribute for category of location address. May be required by UCR/NIBRS. Attribute Type: Location Category |
city | string | false | none | City of location address |
classifyFlag | boolean | false | none | True if subdivision values being passed in should be overwritten with the subdivision classifications from department shapefiles. Valid latitude and longitude coordinates must be populated in order to classify a location |
country | string | false | none | Country of location address |
county | string | false | none | County of location address |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
crossStreet1 | string | false | none | First cross street of location address. One of street name or cross streets must be populated |
crossStreet2 | string | false | none | Second cross street of location address. One of street name or cross streets must be populated |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
fireSubdivision1 | string | false | none | Display abbreviation of fire subdivision attribute. Attribute Type: Fire Subdivision Depth 1 |
fireSubdivision2 | string | false | none | Display abbreviation of fire subdivision attribute. Attribute Type: Fire Subdivision Depth 2 |
fireSubdivision3 | string | false | none | Display abbreviation of fire subdivision attribute. Attribute Type: Fire Subdivision Depth 3 |
fireSubdivision4 | string | false | none | Display abbreviation of fire subdivision attribute. Attribute Type: Fire Subdivision Depth 4 |
fireSubdivision5 | string | false | none | Display abbreviation of fire subdivision attribute. Attribute Type: Fire Subdivision Depth 5 |
fullAddress | string | false | none | The combined street, city, state, and country values to build a full address. Alternatively used when individual address components cannot be parsed. If only fullAddress is provided, resolveLocationFlag must be true |
ignoreValidations | boolean | false | none | True if opting to ignore Mark43 location validations. To be used with caution, as failed validations can result in no address being created |
latitude | number(double) | false | none | Latitude of location address |
levelName | string | false | none | Level name (e.g., 3) |
levelType | string | false | none | Level type (e.g., Floor) |
locationPropertyType | string | false | none | Display location property type public / private. Attribute Type: Location Property Type |
longitude | number(double) | false | none | Longitude of location address |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
medicalSubdivision1 | string | false | none | Display abbreviation of medical subdivision attribute. Attribute Type: Medical Subdivision Depth 1 |
medicalSubdivision2 | string | false | none | Display abbreviation of medical subdivision attribute. Attribute Type: Medical Subdivision Depth 2 |
medicalSubdivision3 | string | false | none | Display abbreviation of medical subdivision attribute. Attribute Type: Medical Subdivision Depth 3 |
medicalSubdivision4 | string | false | none | Display abbreviation of medical subdivision attribute. Attribute Type: Medical Subdivision Depth 4 |
medicalSubdivision5 | string | false | none | Display abbreviation of medical subdivision attribute. Attribute Type: Medical Subdivision Depth 5 |
placeName | string | false | none | Alias or generic other name for location |
resolveLocationFlag | boolean | false | none | When true, location fields are resolved via Google Maps API |
state | string | false | none | State of location address |
statePlaneX | number(double) | false | none | State Plane X coordinate in meters |
statePlaneY | number(double) | false | none | State Plane Y coordinate in meters |
statePlaneZone | string | false | none | Name of State Plane Zone (e.g. OREGON_NORTH) |
streetAddress | string | false | none | Combined street number and street name, or alias |
streetName | string | false | none | Street name of location address. One of street name or cross streets must be populated |
streetNumber | string | false | none | Street number of location address |
subPremise | string | false | none | Subpremise information (lot number or legacy location apartmentNumber) |
subdivision1 | string | false | none | Display abbreviation of subdivision attribute. Attribute Type: Subdivision Depth 1 |
subdivision2 | string | false | none | Display abbreviation of subdivision attribute. Attribute Type: Subdivision Depth 2 |
subdivision3 | string | false | none | Display abbreviation of subdivision attribute. Attribute Type: Subdivision Depth 3 |
subdivision4 | string | false | none | Display abbreviation of subdivision attribute. Attribute Type: Subdivision Depth 4 |
subdivision5 | string | false | none | Display abbreviation of subdivision attribute. Attribute Type: Subdivision Depth 5 |
unitName | string | false | none | Unit name (e.g., 2L) |
unitType | string | false | none | Unit type (e.g., Apt, or Ste |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
zip | string | false | none | Zip code of location address |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalMergePersonRequest
{
"duplicateMasterPersonIds": [
0
],
"mergeBasedOnNameIdentifier": true,
"nameIdentifierTypeAttr": "string",
"nameIdentifierValue": "string",
"requirePersonMatch": true,
"targetMasterPersonId": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
duplicateMasterPersonIds | [integer] | false | none | List of duplicate person profile IDs which will be merged into the target. Contexts referencing these IDs will be updated to reference the target ID. Should not contain the target profile ID |
mergeBasedOnNameIdentifier | boolean | false | none | If true, and no duplicate master person IDs are specified, the server will search for master person profiles with the specified name identifier value, merging results into the target profile prioritizing the most recently updated. If false, the server will require the specified duplicate profiles each contain the specified name identifier value before performing the merge. If the condition is not met, the server will return a validation error. |
nameIdentifierTypeAttr | string | false | none | Display abbreviation of name identifier type to be used for validation or merge criteria (if mergeBasedOnNameIdentifier is set to true). |
nameIdentifierValue | string | false | none | Value of the name identifier to be used for validation or merge criteria. If populated, the specified target profile must contain this name identifier value |
requirePersonMatch | boolean | false | none | True instructs the server to require that each of the duplicate profiles' first & last names, date of birth, and drivers license number match that of the target profile. Use validation overrides with extreme caution, as merging person profiles is irreversible in Mark43. Default value is True. |
targetMasterPersonId | integer(int64) | true | none | The ID of the target profile which duplicates will be merged into |
ExternalMergeResult
{
"idsOfMergedProfiles": [
0
],
"mergedProfileId": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
idsOfMergedProfiles | [integer] | false | none | List of IDs of the profiles which were merged. Contexts which previously referenced these IDs have been updated to reference the mergedProfileId |
mergedProfileId | integer(int64) | false | none | The ID of the remaining profile, which the duplicate profiles were merged into |
ExternalMissingPerson
{
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"mark43Id": 0,
"missingPerson": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"workAddresses": [
{}
]
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"updatedDateUtc": "2019-08-24T14:15:22Z",
"witnesses": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
]
}
Model that represents a missing person
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalInformation | [string] | false | none | Display abbreviations of attributes for missing person additional information. Attribute Type: Missing Person Additional Info |
closureDate | string(date-time) | false | none | Date/time of case closure in UTC |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
lastContactDate | string(date-time) | false | none | Date/time of last contact in UTC |
lastKnownContacts | [ExternalPerson] | false | none | Information about missing person's last known contacts |
lastKnownLocation | ExternalLocation | true | none | Last known location of missing person |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
missingPerson | ExternalPerson | true | none | Information about missing person |
missingPersonCriticality | string | false | none | Display abbreviation of attribute for missing person criticality. Attribute Type: Missing Person Criticality |
missingPersonCriticalityOther | string | false | none | Description of "Other" Missing Person Criticality attribute |
missingPersonStatus | string | false | none | Display abbreviation of attribute for missing person status. Attribute Type: Missing Person Status |
missingPersonType | string | false | none | Display abbreviation of attribute for missing person type. Attribute Type: Missing Person Type |
missingPersonTypeOther | string | false | none | Description of "Other" Missing Person Type attribute |
returnedLocation | ExternalLocation | false | none | Location person returned to or was located at |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
witnesses | [ExternalPerson] | false | none | Information about missing person witnesses |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalNameAttribute
{
"attributeType": "BEHAVIORAL_CHARACTERISTIC",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"parentAttributeId": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Attributes associated with ExternalName
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
attributeType | string | true | none | Attribute Type associated with ExternalName |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
description | string | false | none | Attribute description associated with ExternalName |
displayAbbreviation | string | false | none | Display abbreviation of attribute associated with ExternalName. Required if displayValue is not specified |
displayValue | string | false | none | Display value of attribute associated with ExternalName. Required if displayAbbreviation is not specified |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
parentAttributeId | integer(int64) | false | none | Mark43 ID of the parent attribute |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
attributeType | BEHAVIORAL_CHARACTERISTIC |
attributeType | CLOTHING_TYPE |
attributeType | INFORMATION_PROVIDED_TO_VICTIM |
attributeType | LANGUAGE |
attributeType | MODUS_OPERANDI |
attributeType | MOOD |
attributeType | PERSON_SKILL |
attributeType | PHYSICAL_CHARACTERISTIC |
attributeType | MEDICAL_STATISTICS |
attributeType | USE_OF_FORCE_SUBJECT_DETAILS |
attributeType | USE_OF_FORCE_SUBJECT_IMPAIRMENTS |
attributeType | USE_OF_FORCE_SUBJECT_ACTIONS |
attributeType | USE_OF_FORCE_OFFICER_FORCE_TOWARDS_SUBJECT |
attributeType | USE_OF_FORCE_SUBJECT_FORCE_TOWARDS_OFFICER |
attributeType | USE_OF_FORCE_OFFICER_FORCE_TOWARDS_SUBJECT_LOCATION |
attributeType | USE_OF_FORCE_SUBJECT_FORCE_TOWARDS_OFFICER_LOCATION |
attributeType | USE_OF_FORCE_SUBJECT_INJURY_SEVERITY |
attributeType | USE_OF_FORCE_OFFICER_INJURY_SEVERITY |
attributeType | USE_OF_FORCE_SUBJECT_INJURY_TYPE |
attributeType | USE_OF_FORCE_OFFICER_INJURY_TYPE |
attributeType | USE_OF_FORCE_MEDICAL_AID_RECEIVED |
attributeType | GANG_CRITERIA |
attributeType | PERSON_LABEL_ATTRIBUTES |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalNameIdentifier
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"nameIdentifier": "string",
"nameIdentifierDescription": "string",
"nameIdentifierType": "string",
"organizationId": 1,
"personId": 1,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents name identifiers on a person object
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
nameIdentifier | string | false | none | Name identifier of the person |
nameIdentifierDescription | string | false | none | Description of the name identifier |
nameIdentifierType | string | true | none | Display abbreviation of attribute for type of name identifier. Attribute Type: Name Identifier Type |
organizationId | integer(int64) | true | none | Organization ID of the name identifier |
personId | integer(int64) | true | none | Person ID of the name identifier |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalNameItemLink
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"linkType": "LinkTypes.OWNED_BY",
"linkedOrganization": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [
"string"
],
"officialAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"physicalAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"linkedPerson": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"workAddresses": [
{}
]
},
"mark43Id": 0,
"nameItemAssociation": "string",
"nameItemAssociationDescription": "string",
"proofOfOwnershipDescription": "string",
"proofOfOwnershipType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a name associated with an item, such as owner or claimant
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
linkType | string | false | none | Link Type between name and item |
linkedOrganization | ExternalOrganization | false | none | Organization being linked to the item |
linkedPerson | ExternalPerson | false | none | Person being linked to the item |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
nameItemAssociation | string | false | none | Display abbreviation of attribute for name-item association. Attribute Type: Name Item Association |
nameItemAssociationDescription | string | false | none | Name-item association description |
proofOfOwnershipDescription | string | false | none | Proof of ownership description |
proofOfOwnershipType | string | false | none | Display abbreviation of attribute for proof of ownership type. Attribute Type: Proof Of Ownership |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
linkType | LinkTypes.OWNED_BY |
linkType | LinkTypes.CLAIMED_BY |
ExternalOffense
{
"completed": true,
"createdDateUtc": "2019-08-24T14:15:22Z",
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {
"abbreviation": "string",
"arrestType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fineAmount": 0,
"mark43Id": 0,
"nibrsCode": "string",
"offenseClassificationCode": "string",
"offenseCodeLevel": "string",
"secondAbbreviation": "string",
"secondStatuteCodeSet": "string",
"stateCode": "string",
"statuteCodeSet": "string",
"thirdAbbreviation": "string",
"thirdStatuteCodeSet": "string",
"ucrCode": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalSystem": "string",
"externalType": "WARRANT",
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"involvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"mark43Id": 0,
"offenseAttributes": [
{
"attributeType": "SECURITY_SYSTEM",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents an offense or incident
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
completed | boolean | false | none | True if offense was completed. Required for Offense Reports |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
crimeInvestigationType | string | false | none | The Crime Scene Investigation type used for the offense |
crimeInvestigationTypeCode | string | false | none | The Crime Scene Investigation type code used for the offense |
domesticViolence | boolean | false | none | Indicates if offense was domestic violence-related |
externalId | string | false | none | Identifier of entity in external system |
externalOffenseCode | ExternalOffenseCode | false | none | Information used to search for offense code or charge |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
involvedFirearms | [ExternalFirearm] | false | none | Firearms involved in offense or incident. Used for NIBRS reporting |
involvedOrganizations | [ExternalOrganization] | false | none | Organizations involved in offense or incident. Offense Reports require a victim and a suspect |
involvedPersons | [ExternalPerson] | false | none | Persons involved in offense or incident. Offense Reports require a victim and a suspect |
involvedProperty | [ExternalItemBase] | false | none | Other items involved in offense or incident. Used for NIBRS reporting |
involvedVehicles | [ExternalVehicle] | false | none | Vehicles involved in offense or incident. Used for NIBRS reporting |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
offenseAttributes | [ExternalOffenseAttribute] | false | none | Attributes relating to the offense |
offenseCode | string | true | none | Display name or code of offense or incident. Value must be in existing offense codes |
offenseDateUtc | string(date-time) | false | none | Date/time offense occurred in UTC. If not populated, date is set as "unknown" |
offenseEndDateUtc | string(date-time) | false | none | End date/time of offense in UTC |
offenseLocation | ExternalLocation | false | none | Location of offense or incident |
offenseOrder | integer(int32) | false | none | Order in which offenses appear on report. Required for Offense Reports |
offenseReportNumber | string | false | none | Reporting Event Number for the offense |
suspectedHateCrime | boolean | false | none | True if offense was a suspected hate crime. May be required by UCR/NIBRS |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalOffenseAttribute
{
"attributeType": "SECURITY_SYSTEM",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
attributeType | string | true | none | Attribute Type associated with ExternalOffense |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
description | string | false | none | Description of other offense attribute associated with ExternalOffense |
displayAbbreviation | string | false | none | Abbreviation of attribute associated with ExternalOffense, required if displayValue is not specified |
displayValue | string | false | none | Display value of attribute associated with ExternalOffense, required if displayAbbreviation is not specified |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
attributeType | SECURITY_SYSTEM |
attributeType | BIAS_MOTIVATION |
attributeType | CRIMINAL_ACTIVITY_CATEGORY |
attributeType | AGGRAVATED_ASSAULT_CIRCUMSTANCE |
attributeType | MODUS_OPERANDI |
attributeType | HOMICIDE_CIRCUMSTANCE |
attributeType | WEAPON_OR_FORCE_INVOLVED |
attributeType | OFFENSE_STATISTIC |
attributeType | GANG_INFORMATION |
attributeType | INCIDENT_STATISTIC |
attributeType | ANIMAL_CRUELTY_CATEGORY |
attributeType | ABUSE_TYPE |
attributeType | POLICE_ACTION |
attributeType | REASON_FOR_NO_ARREST |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalOffenseCode
{
"abbreviation": "string",
"arrestType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fineAmount": 0,
"mark43Id": 0,
"nibrsCode": "string",
"offenseClassificationCode": "string",
"offenseCodeLevel": "string",
"secondAbbreviation": "string",
"secondStatuteCodeSet": "string",
"stateCode": "string",
"statuteCodeSet": "string",
"thirdAbbreviation": "string",
"thirdStatuteCodeSet": "string",
"ucrCode": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents an offense code
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
abbreviation | string | false | none | The first, primary Code / statute value of offense |
arrestType | string | false | none | Display abbreviation of attribute indicating arrest type of an offense Attribute Type: Arrest Type |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
description | string | false | none | Description of offense code |
displayValue | string | true | none | Display value of offense code |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
fineAmount | number(double) | false | none | Default fine amount issued with offense |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
nibrsCode | string | false | none | NIBRS code of offense |
offenseClassificationCode | string | false | none | Display abbreviation of attribute indicating offense classification (e.g. F for Felony, M for Misdemeanor). Attribute Type: Offense Classification |
offenseCodeLevel | string | false | none | Optional configuration for tracking the "Level" for an offense in the systemAttribute Type: Offense Code Level |
secondAbbreviation | string | false | none | The second Code / statute value of offense |
secondStatuteCodeSet | string | false | none | Display abbreviation of attribute indicating the code set of the second related statute/offense code. Attribute Type: Offense Code Statute Code Set |
stateCode | string | false | none | State code of offense |
statuteCodeSet | string | false | none | Display abbreviation of attribute indicating the code set of the related statute/offense code. Attribute Type: Offense Code Statute Code Set |
thirdAbbreviation | string | false | none | The third Code / statute value of offense |
thirdStatuteCodeSet | string | false | none | Display abbreviation of attribute indicating the code set of the third related statute/offense code. Attribute Type: Offense Code Statute Code Set |
ucrCode | string | false | none | UCR code of offense |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalOrganization
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [
"string"
],
"officialAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"physicalAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents an organization
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalDetails | object | false | none | Miscellaneous information associated with person or organization |
» additionalProperties | string | false | none | none |
contextId | integer(int64) | false | none | Identifier of entity, either person or organization, that an item is linked to. Populated only for evidence item retrieval |
contextType | string | false | none | Type of entity, either person or organization, that an item is linked to. Populated only for evidence item retrieval |
contextualId | integer(int64) | false | none | Identifier of person, organization, or item associated with entity in Mark43 RMS. Identifier is associated with current entity only. Populated after creation or on retrieval |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
declaredDateOfDeath | string(date) | false | none | Date of death of person declared by medical examiner |
string | false | none | Deprecated. Use "emails" field | |
emailType | string | false | none | Deprecated. Use "emails" field |
emails | object | false | none | E-mail addresses of person or organization. Each e-mail address is mapped to an e-mail type |
» additionalProperties | string | false | none | none |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
industry | string | false | none | Display abbreviation of attribute for industry of organization. Attribute Type: Industry |
involvement | string | true | none | Involvement of organization in associated event |
involvementSequenceNumber | integer(int32) | false | none | Sequence number (order/position) of this entity among related entities of the same type with the same involvement type for the report |
isNonDisclosureRequest | boolean | false | none | True if person requests that their involvement remain anonymous |
isSociety | boolean | false | none | True if organization represents society |
mark43Id | integer(int64) | false | none | Deprecated. Use contextualId field |
masterId | integer(int64) | false | none | Identifier of master person, organization, or item in Mark43 RMS. Unique identifier of person across entities. Populated after creation or on retrieval |
name | string | true | none | Name of organization |
nickname | string | false | none | Deprecated. Use "nicknames" field |
nicknames | [string] | true | none | none |
officialAddress | ExternalLocation | false | none | Official address for organization |
otherIdentifiers | object | false | none | Display abbreviation of attribute indicating name identifiers associated with a person or organization (e.g. social media account name identifiers). Attribute Type: Name Identifier Type |
» additionalProperties | string | false | none | none |
phoneNumber | string | false | none | Deprecated. Use "phoneNumbers" field |
phoneNumberType | string | false | none | Deprecated. Use "phoneNumbers" field |
phoneNumbers | object | false | none | Phone numbers of person or organization. Each phone number is mapped to a phone number type (e.g. work, home) |
» additionalProperties | string | false | none | none |
physicalAddress | ExternalLocation | false | none | Physical address for organization |
subjectType | string | false | none | Display abbreviation of attribute indicating a person's involvement type. Attribute Type: Field Contact Subject Type. Currently only used for Supplement Report creation. |
subjectTypeDescription | string | false | none | Description of other subject type |
type | string | false | none | Display abbreviation of attribute for type of organization. Attribute Type: Organization Type |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
contextType | WARRANT |
contextType | WARRANT_SUBJECT |
contextType | LINKED_EXTERNAL_RECORD |
contextType | REPORT |
contextType | CASE |
contextType | CAD_EVENT |
contextType | CAD_EVENT_ADDITIONAL_INFO |
contextType | CAD_EVENT_INVOLVED_UNIT |
contextType | CAD_EVENT_INVOLVED_UNIT_STATUS |
contextType | TASK |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
involvement | INVOLVED_ORG_IN_REPORT |
involvement | OTHER_NAME_IN_REPORT |
involvement | OTHER_NAME_IN_OFFENSE |
involvement | REPORTING_PARTY_IN_REPORT |
involvement | VICTIM_IN_OFFENSE |
involvement | SUBJECT_IN_OFFENSE |
involvement | SUBJECT_IN_CITATION |
involvement | SUBJECT_IN_FIELD_CONTACT |
involvement | ORGANIZATION_IN_FIELD_CONTACT |
ExternalPerson
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{
"address": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isGuardian": true,
"mark43Id": 0,
"name": "string",
"phoneNumber": "string",
"relationship": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"employmentHistories": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateEnd": "2019-08-24",
"dateStart": "2019-08-24",
"employerAddress": "string",
"employerName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"militaryBranch": "string",
"occupation": "string",
"phoneNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"homeAddresses": [
{
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
}
],
"identifyingMarks": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"identifyingMarkDescription": "string",
"identifyingMarkImage": {},
"identifyingMarkLocation": "string",
"identifyingMarkType": "string",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{
"attributeType": "BEHAVIORAL_CHARACTERISTIC",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"parentAttributeId": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"personGangTrackings": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"expirationDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"gangName": "string",
"gangNameDescription": "string",
"gangSubGroup": "string",
"gangSubGroupDescription": "string",
"mark43Id": 0,
"personGangTrackingCriteria": [],
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"personInjuries": [
{
"bodyPartCode": "string",
"bodyPartMmuccCode": "string",
"bodyPartMmuccName": "string",
"bodyPartName": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"injuryDescription": "string",
"injuryTypeCode": "string",
"injuryTypeMmuccCode": "string",
"injuryTypeMmuccName": "string",
"injuryTypeName": "string",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"grade": "string",
"mark43Id": 0,
"phoneNumber": "string",
"schoolAddress": "string",
"schoolName": "string",
"status": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"workAddresses": [
{
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
}
]
}
Model that represents a person
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalDetails | object | false | none | Miscellaneous information associated with person or organization |
» additionalProperties | string | false | none | none |
build | string | false | none | Display abbreviation of attribute for physical build of person. Attribute Type: Build |
citizenship | string | false | none | Display abbreviation of attribute for citizenship of person. Attribute Type: Citizenship |
contextId | integer(int64) | false | none | Identifier of entity, either person or organization, that an item is linked to. Populated only for evidence item retrieval |
contextType | string | false | none | Type of entity, either person or organization, that an item is linked to. Populated only for evidence item retrieval |
contextualId | integer(int64) | false | none | Identifier of person, organization, or item associated with entity in Mark43 RMS. Identifier is associated with current entity only. Populated after creation or on retrieval |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
dateOfBirth | string(date) | false | none | Date of birth of person. May be required by UCR/NIBRS |
dateOfBirthRangeEnd | string(date) | false | none | Used as an end range when actual date of birth is unknown |
dateOfBirthRangeStart | string(date) | false | none | Used as a start range when actual date of birth is unknown |
dateOfDeath | string(date-time) | false | none | Date of death of person |
declaredDateOfDeath | string(date) | false | none | Date of death of person declared by medical examiner |
description | string | false | none | Miscellaneous description or notes about person. Appears only on profile linked to a CAD ticket, report, warrant, etc. |
string | false | none | Deprecated. Use "emails" field | |
emailType | string | false | none | Deprecated. Use "emails" field |
emails | object | false | none | E-mail addresses of person or organization. Each e-mail address is mapped to an e-mail type |
» additionalProperties | string | false | none | none |
emergencyContacts | [ExternalPersonEmergencyContact] | false | none | Emergency contacts of person |
employmentHistories | [ExternalPersonEmploymentHistory] | false | none | Employment history of person |
ethnicity | string | false | none | Display abbreviation of attribute for ethnicity of person. Attribute Type: Ethnicity |
ethnicityDisplayName | string | false | read-only | Display name of attribute for ethnicity of person. Attribute Type: Ethnicity |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
eyeColor | string | false | none | Display abbreviation of attribute for eye color of person. Attribute Type: Eye Color |
eyeColorDisplayName | string | false | read-only | Display name of attribute for eye color of person. Attribute Type: Eye Color |
facialHair | string | false | none | Display abbreviation of attribute for facial hair of person. Attribute Type: Facial Hair Type |
fbiNumber | string | false | none | FBI number of person |
firstName | string | true | none | First name of person |
hairColor | string | false | none | Display abbreviation of attribute for hair color of person. Attribute Type: Hair Color |
hairLength | string | false | none | Display abbreviation of attribute for hair length of person. Attribute Type: Hair Length |
hairStyle | string | false | none | Display abbreviation of attribute for hair style of person. Attribute Type: Hair Style |
hasNoFixedHomeAddress | boolean | true | none | none |
height | integer(int32) | false | none | Height of person in inches |
homeAddress | ExternalLocation | false | none | Home address of person. One of home or work address may be required by UCR/NIBRS |
homeAddresses | [ExternalLocation] | false | none | Home addresses of person. One of home or work address may be required by UCR/NIBRS |
identifyingMarks | [ExternalPersonIdentifyingMark] | false | none | Identifying marks of person |
involvement | string | true | none | Involvement of person in associated event |
involvementSequenceNumber | integer(int32) | false | none | Sequence number (order/position) of this entity among related entities of the same type with the same involvement type for the report |
isDateOfBirthUnknown | boolean | false | none | True if the date of birth is unknown |
isJuvenile | boolean | false | none | True if the person is a juvenile |
isNonDisclosureRequest | boolean | false | none | True if person requests that their involvement remain anonymous |
lastName | string | true | none | Last name of person |
licenseNumber | string | false | none | Driver's license number of person |
licenseState | string | false | none | Display abbreviation of attribute for license state of issuance. Attribute Type: State |
licenseStatus | string | false | none | Display abbreviation of attribute for license status. Attribute Type: License Status |
licenseType | string | false | none | Display abbreviation of attribute for license type. Attribute Type: DL Type |
maritalStatus | string | false | none | Display abbreviation of attribute for marital status of person. Attribute Type: Marital Status |
mark43Id | integer(int64) | false | none | Deprecated. Use contextualId field |
masterId | integer(int64) | false | none | Identifier of master person, organization, or item in Mark43 RMS. Unique identifier of person across entities. Populated after creation or on retrieval |
maxHeight | integer(int32) | false | none | Maximum height of person in inches |
maxWeight | integer(int32) | false | none | Maximum weight of person in pounds |
middleName | string | false | none | Middle name of person |
minHeight | integer(int32) | false | none | Minimum height of person in inches |
minWeight | integer(int32) | false | none | Minimum weight of person in pounds |
mugshotWebServerFilePath | string | false | none | File web server path of mugshot image for person. Path is valid until end of day, the day after generation |
needsInterpreter | boolean | false | none | True if person requires an interpreter |
nickname | string | false | none | Deprecated. Use "nicknames" field |
nicknames | [string] | true | none | none |
otherIdentifiers | object | false | none | Display abbreviation of attribute indicating name identifiers associated with a person or organization (e.g. social media account name identifiers). Attribute Type: Name Identifier Type |
» additionalProperties | string | false | none | none |
personAttributes | [ExternalNameAttribute] | false | none | Attributes relating to the person |
personGangTrackings | [ExternalPersonGangTracking] | false | none | Gang tracking information relating to the person |
personInjuries | [ExternalPersonInjury] | false | none | A person's injuries for a given event |
phoneNumber | string | false | none | Deprecated. Use "phoneNumbers" field |
phoneNumberType | string | false | none | Deprecated. Use "phoneNumbers" field |
phoneNumbers | object | false | none | Phone numbers of person or organization. Each phone number is mapped to a phone number type (e.g. work, home) |
» additionalProperties | string | false | none | none |
placeOfBirth | string | false | none | Place or location of birth |
race | string | false | none | Display abbreviation of attribute for race of person. May be required by UCR/NIBRS. Attribute Type: Race |
raceDisplayName | string | false | read-only | Display name of attribute for race of person. Attribute Type: Race |
residentStatus | string | false | none | Display abbreviation of attribute for resident status of person in department jurisdiction. Attribute Type: Resident Of Jurisdiction |
schoolHistories | [ExternalPersonSchoolHistory] | false | none | School history of person |
sex | string | false | none | Display abbreviation of attribute for sex of person. Attribute Type: Sex |
sexDisplayName | string | false | read-only | Display name of attribute for sex of person. Attribute Type: Sex |
skinTone | string | false | none | Display abbreviation of attribute for skin tone of person. Attribute Type: Skin Tone |
ssn | string | false | none | Social Security Number of person |
stateIdNumber | string | false | none | State ID number of person |
stateOfBirth | string | false | none | State of birth |
subjectType | string | false | none | Display abbreviation of attribute indicating a person's involvement type. Attribute Type: Field Contact Subject Type. Currently only used for Supplement Report creation. |
subjectTypeDescription | string | false | none | Description of other subject type |
suffix | string | false | none | Suffix of person (e.g. Jr., Sr., Esq.) |
title | string | false | none | Title of person (e.g. Ms., Mr., Dr.) |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
vision | string | false | none | Display abbreviation of attribute for vision of person. Attribute Type: Vision |
weight | integer(int32) | false | none | Weight of person in pounds |
workAddress | ExternalLocation | false | none | Work address of person. One of home or work address may be required by UCR/NIBRS |
workAddresses | [ExternalLocation] | false | none | Work addresses of person. One of home or work address may be required by UCR/NIBRS |
Allowable Values
Property | Value |
---|---|
contextType | WARRANT |
contextType | WARRANT_SUBJECT |
contextType | LINKED_EXTERNAL_RECORD |
contextType | REPORT |
contextType | CASE |
contextType | CAD_EVENT |
contextType | CAD_EVENT_ADDITIONAL_INFO |
contextType | CAD_EVENT_INVOLVED_UNIT |
contextType | CAD_EVENT_INVOLVED_UNIT_STATUS |
contextType | TASK |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
involvement | INVOLVED_PERSON_IN_REPORT |
involvement | OTHER_NAME_IN_REPORT |
involvement | OTHER_NAME_IN_OFFENSE |
involvement | REPORTING_PARTY_IN_REPORT |
involvement | VICTIM_IN_OFFENSE |
involvement | SUSPECT_IN_OFFENSE |
involvement | SUBJECT_IN_OFFENSE |
involvement | WITNESS_IN_OFFENSE |
involvement | SUBJECT_IN_CITATION |
involvement | SUBJECT_IN_TRAFFIC_CRASH |
ExternalPersonEmergencyContact
{
"address": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isGuardian": true,
"mark43Id": 0,
"name": "string",
"phoneNumber": "string",
"relationship": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents emergency contact information for person object
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
address | string | false | none | Address of emergency contact |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
isGuardian | boolean | false | none | True if emergency contact is the person's guardian |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
name | string | false | none | Name of emergency contact |
phoneNumber | string | false | none | Phone number of emergency contact |
relationship | string | false | none | Relationship of emergency contact to person |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalPersonEmploymentHistory
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateEnd": "2019-08-24",
"dateStart": "2019-08-24",
"employerAddress": "string",
"employerName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"militaryBranch": "string",
"occupation": "string",
"phoneNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents employment information on a person object
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
dateEnd | string(date) | false | none | End date of employment |
dateStart | string(date) | false | none | Start date of employment |
employerAddress | string | false | none | Address of employer |
employerName | string | true | none | Name of employer |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
militaryBranch | string | false | none | Display abbreviation of attribute for military branch, if the employer is the military. Attribute Type: Military Branch |
occupation | string | false | none | Occupation of person |
phoneNumber | string | false | none | Phone number with extension of the employer |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalPersonGangTracking
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"expirationDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"gangName": "string",
"gangNameDescription": "string",
"gangSubGroup": "string",
"gangSubGroupDescription": "string",
"mark43Id": 0,
"personGangTrackingCriteria": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"gangCriteria": "string",
"gangCriteriaDescription": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a person's purported association with a gang as indicated on a report
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
expirationDateUtc | string(date-time) | false | none | Date/time gang tracking information will expire in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
gangName | string | true | none | Display abbreviation of attribute for name of gang. Attribute Type: Gang Name |
gangNameDescription | string | false | none | Free-text field for description of gang name attribute. Used if gang name attribute isOther = true |
gangSubGroup | string | true | none | Display abbreviation of attribute for subgroup of gang. Attribute Type: Gang Subgroup |
gangSubGroupDescription | string | false | none | Free-text field for description of gang subgroup attribute. Used if gang subgroup attribute isOther = true |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
personGangTrackingCriteria | [ExternalPersonGangTrackingCriteria] | false | none | Criteria used to determine person's gang affiliation |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalPersonGangTrackingCriteria
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"gangCriteria": "string",
"gangCriteriaDescription": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents gang tracking criteria
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
gangCriteria | string | true | none | Display abbreviation of attribute indicating criteria used to determine gang affiliation. Attribute Type: Gang Criteria |
gangCriteriaDescription | string | true | none | Description of criteria used to determine person's gang affiliation |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalPersonIdentifyingMark
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"identifyingMarkDescription": "string",
"identifyingMarkImage": {
"attachmentInBase64": [
"string"
],
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fileName": "string",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"identifyingMarkLocation": "string",
"identifyingMarkType": "string",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents identifying marks on a person object
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
identifyingMarkDescription | string | false | none | Description of identifying mark |
identifyingMarkImage | ExternalByteAttachment | false | none | Identifying mark image |
identifyingMarkLocation | string | false | none | Display abbreviation of attribute for location of identifying mark. Attribute Type: Body Part |
identifyingMarkType | string | true | none | Display abbreviation of attribute for type of identifying mark. Attribute Type: Identifying Mark Type |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalPersonInjury
{
"bodyPartCode": "string",
"bodyPartMmuccCode": "string",
"bodyPartMmuccName": "string",
"bodyPartName": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"injuryDescription": "string",
"injuryTypeCode": "string",
"injuryTypeMmuccCode": "string",
"injuryTypeMmuccName": "string",
"injuryTypeName": "string",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents an individuals injuries for a given event.
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
bodyPartCode | string | false | none | Display abbreviation of attribute for an injured body part. Attribute Type: Body Part |
bodyPartMmuccCode | string | false | none | Display abbreviation of the 'attribute-code link' for an MMUCC attribute for the bod part. |
bodyPartMmuccName | string | false | none | Display name of the 'attribute-code link' for an MMUCC attribute for the body part. |
bodyPartName | string | false | none | Display name of attribute for an injured body part. Attribute Type: Body Part, Note: attribute matching is done first by the code and then by the name |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
injuryDescription | string | false | none | Free-text field for description of an injury |
injuryTypeCode | string | false | none | Display abbreviation of attribute for an injury type. Attribute Type: Injury Category |
injuryTypeMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Injury Category |
injuryTypeMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of attribute type Injury Category |
injuryTypeName | string | false | none | Display name of attribute for an injury type. Attribute Type: Injury Category, Note: attribute matching is done first by the code and then by the name |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalPersonLookupRequest
{
"dateOfBirth": "string",
"firstName": "string",
"lastName": "string",
"licenseNumber": "string",
"ssn": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
dateOfBirth | string | true | none | Date of birth of the master person to look up |
firstName | string | true | none | First name of the master person to look up |
lastName | string | true | none | Last name of the master person to look up |
licenseNumber | string | false | none | Driver's license of the master person to look up |
ssn | string | false | none | Social security number of the master person to look up |
ExternalPersonSchoolHistory
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"grade": "string",
"mark43Id": 0,
"phoneNumber": "string",
"schoolAddress": "string",
"schoolName": "string",
"status": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents school history on a person object
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
grade | string | false | none | Grade of person at time of report-writing |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
phoneNumber | string | false | none | Phone number with extension of the school |
schoolAddress | string | false | none | Address of school |
schoolName | string | true | none | Name of school |
status | string | false | none | Status of person (e.g. enrolled, suspended) at time of report-writing |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalPersonSearchQuery
{
"dateOfBirth": "2019-08-24",
"ethnicity": "string",
"firstName": "string",
"identifyingMarks": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"identifyingMarkDescription": "string",
"identifyingMarkImage": {},
"identifyingMarkLocation": "string",
"identifyingMarkType": "string",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseType": "string",
"personIdentifiers": {
"property1": "string",
"property2": "string"
},
"race": "string",
"ssn": "string",
"stateIdNumber": "string"
}
Contains fields for searching person profiles
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
dateOfBirth | string(date) | false | none | Date of birth of person |
ethnicity | string | false | none | Display abbreviation of attribute for ethnicity of person. Attribute Type: Ethnicity |
firstName | string | true | none | First name of person |
identifyingMarks | [ExternalPersonIdentifyingMark] | false | none | Identifying marks of person |
lastName | string | true | none | Last name of person |
licenseNumber | string | false | none | Driver's license number of person |
licenseState | string | false | none | Display abbreviation of attribute for license state of issuance. Attribute Type: State |
licenseType | string | false | none | Display abbreviation of attribute for license type. Attribute Type: DL Type |
personIdentifiers | object | false | none | Display abbreviation of attribute indicating other name identifiers associated with a person. (e.g. social media account name identifiers). Attribute Type: Name Identifier Type |
» additionalProperties | string | false | none | none |
race | string | false | none | Display abbreviation of attribute for race of person. Attribute Type: Race |
ssn | string | false | none | Social Security Number of person |
stateIdNumber | string | false | none | State ID number of person |
ExternalRadioChannel
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"name": "string",
"status": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a radio channel
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
name | string | false | none | The name of the radio channel |
status | string | false | none | The status of the radio channel |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalReport
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{
"assistType": "string",
"assistingOfficer": {}
}
],
"caseStatus": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatisticOtherDescription": "string",
"eventStatistics": [
"string"
],
"eventStatisticsDisplayNames": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"arrestStatistics": [
"string"
],
"arrestTactics": [
"string"
],
"arrestType": "string",
"arresteeArmedWith": [
"string"
],
"arrestingAgency": "string",
"arrestingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"bailAmount": 0,
"charges": [
{}
],
"codefendants": [
{}
],
"complainantOrganizations": [
{}
],
"complainantPeople": [
{}
],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"defendant": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"mark43Id": 0,
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationChargeResultDisplayName1": "string",
"citationChargeResultDisplayName2": "string",
"citationChargeResultDisplayName3": "string",
"citationChargeResultDisplayName4": "string",
"citationChargeResultDisplayName5": "string",
"citationLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"citationNumber": "string",
"citationRecipientOrganization": {
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"citationRecipientPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"citationStatisticOtherDescription": "string",
"citationStatistics": [
"string"
],
"citationStatisticsDisplayNames": [
"string"
],
"citationType": "string",
"citationTypeDisplayName": "string",
"citationTypeOther": "string",
"citationVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"courtTypeDisplayName": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"mark43Id": 0,
"placeDetained": "string",
"postedSpeed": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalCustomFields": {
"courtCase": {
"bailAmount": 0,
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"judgeName": "string",
"mark43Id": 0,
"placeDetained": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"customReportTypeName": "string",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
]
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fieldContactLocations": [
{}
],
"fieldContactOrganizations": [
{}
],
"fieldContactSubjects": [
{}
],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"localId": "string",
"mark43Id": 0,
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"keysInVehicle": true,
"mark43Id": 0,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [
"string"
],
"closureDate": "2019-08-24T14:15:22Z",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [
{}
],
"lastKnownLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"mark43Id": 0,
"missingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"updatedDateUtc": "2019-08-24T14:15:22Z",
"witnesses": [
{}
]
},
"externalOffenses": [
{
"completed": true,
"createdDateUtc": "2019-08-24T14:15:22Z",
"crimeInvestigationType": "string",
"crimeInvestigationTypeCode": "string",
"domesticViolence": true,
"externalId": "string",
"externalOffenseCode": {},
"externalSystem": "string",
"externalType": "WARRANT",
"involvedFirearms": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"mark43Id": 0,
"offenseAttributes": [],
"offenseCode": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"offenseEndDateUtc": "2019-08-24T14:15:22Z",
"offenseLocation": {},
"offenseOrder": 0,
"offenseReportNumber": "string",
"suspectedHateCrime": true,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"mark43Id": 0,
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{}
],
"updatedDateUtc": "2019-08-24T14:15:22Z",
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"involvedFirearms": [
{}
],
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"mark43Id": 0,
"primaryUnit": "string",
"supplementType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"keysInVehicle": true,
"mark43Id": 0,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"mark43Id": 0,
"registrationInVehicle": true,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"releaseBy": {},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalType": "WARRANT",
"isImpounded": true,
"mark43Id": 0,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
],
"involvedVehicles": [
{}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"mark43Id": 0,
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{}
],
"trafficCrashAttributes": [
{}
],
"trafficCrashEntityDetails": [
{}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"trafficCrashPeople": [
{}
],
"trafficCrashRoadways": [
{}
],
"trafficCrashVehicles": [
{}
],
"updatedDateUtc": "2019-08-24T14:15:22Z",
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"externalType": "WARRANT",
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedProfiles": {
"involvedLocations": [
{}
],
"involvedOrganizations": [
{}
],
"involvedPersons": [
{}
]
},
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"isLegacyReport": true,
"mark43Id": 0,
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"reportingPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"useOfForce": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"incidentResultedInCrimeReport": true,
"mark43Id": 0,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
}
Model that represents a report being created in or retrieved from Mark43 RMS
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalDetails | object | false | none | Miscellaneous information associated with report |
» additionalProperties | string | false | none | none |
agencyCode | string | false | none | Agency code of reporting agency. One of agency code or agency ORI must be populated |
agencyOri | string | false | none | Identifier of reporting agency. One of agency code or agency ORI must be populated |
approvalStatus | string | false | none | Approval status in which to create report. If not populated, report is created as SUBMITTED |
approvedBy | ExternalUser | false | none | User information of report approver |
approvedDateUtc | string(date-time) | false | none | Date/time report status was approved by the approvedBy user in Mark43 RMS in UTC |
assistingOfficers | [ExternalAssistingOfficer] | false | none | Assisting officer information |
caseStatus | string | false | none | Display abbreviation of attribute for report case status. Attribute Type: Case Status |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
eventEndUtc | string(date-time) | false | none | End date/time of report event in UTC |
eventStartUtc | string(date-time) | true | none | Start date/time of report event in UTC |
eventStatisticOtherDescription | string | false | read-only | Free-text field for description of an 'is-other' event statistic attribute |
eventStatistics | [string] | false | none | Display abbreviations of event statistics attributes to set for created report. Attribute Type: Event Statistics |
eventStatisticsDisplayNames | [string] | false | read-only | Display names of event statistics attributes to set for created report. Attribute Type: Event Statistics |
externalArrest | ExternalArrest | false | none | Arrest associated with report |
externalCitation | ExternalCitation | false | none | Citation associated with report. Additional reports must be created for multiple citations under one REN |
externalCustomFields | ExternalCustomFields | false | none | Fields associated with custom report type |
externalFieldContact | ExternalFieldContact | false | none | Field Contact associated with report |
externalId | string | false | none | Identifier of entity in external system |
externalImpound | ExternalImpound | false | none | Impound information associated with report |
externalMissingPerson | ExternalMissingPerson | false | none | Missing Person associated with report |
externalOffenses | [ExternalOffense] | false | none | Offenses/Incidents associated with report |
externalReportType | string | false | none | External Report Type |
externalStop | ExternalStop | false | none | Stop information associated with the report |
externalSupplement | ExternalSupplement | false | none | Supplement associated with report. Additional reports must be created for multiple supplements under one REN |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalTowVehicle | ExternalTowVehicle | false | none | Tow Vehicle information associated with report |
externalTrafficCrash | ExternalTrafficCrash | false | none | Traffic Crash associated with report |
externalType | string | false | read-only | Type of external entity |
involvedFirearms | [ExternalFirearm] | false | none | Firearms on Custodial Property Report or involved in Offense Report, but not used for NIBRS reporting. Populated for Custodial Property and Offense Report retrievals only |
involvedProfiles | ExternalInvolvedProfiles | false | none | Involved profiles associated with report |
involvedProperty | [ExternalItemBase] | false | none | Other items on Custodial Property Report or involved in Offense Report, but not used for NIBRS reporting. Populated for Custodial Property and Offense Report retrievals only |
involvedVehicles | [ExternalVehicle] | false | none | Vehicles on Custodial Property Report or involved in Offense Report, but not used for NIBRS reporting. Populated for Custodial Property and Offense Report retrievals only |
isLegacyReport | boolean | false | read-only | True if report was imported from a non-Mark43 system |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
narrative | string | false | none | Narrative of report |
personnelUnit | string | false | none | Display abbreviation of attribute for personnel unit. Attribute Type: Personnel Unit |
recordNumber | string | false | none | Unique identifier for report or record |
reportLocation | ExternalLocation | false | none | Report taken location |
reportNumber | string | false | none | Reporting event number or other unique identifier for the event |
reportingOrganizations | [ExternalOrganization] | false | none | Reporting organizations of report |
reportingPersons | [ExternalPerson] | false | none | Reporting persons of report |
respondingOfficer | ExternalUser | false | none | Responding officer name/id number(s). Used to locate officer profile |
routingLabels | [string] | false | none | Display abbreviations of routing label attributes to set for created report. Attribute Type: Routing Label |
statusUpdatedDateUtc | string(date-time) | false | none | Date/time report status was updated in Mark43 RMS in UTC |
submittedBy | ExternalUser | false | none | User information of report submitter |
submittedDateUtc | string(date-time) | false | none | Date/time report status was submitted by the submittedBy user in Mark43 RMS in UTC |
summaryNarrative | string | false | none | Summary of report |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
useOfForce | ExternalUseOfForce | false | none | The use of force data associated with the report |
Allowable Values
Property | Value |
---|---|
approvalStatus | DRAFT |
approvalStatus | SUBMITTED |
approvalStatus | APPROVED |
approvalStatus | COMPLETED |
externalReportType | ARREST |
externalReportType | CITATION |
externalReportType | CUSTODIAL_PROPERTY |
externalReportType | CUSTOM |
externalReportType | FIELD_CONTACT |
externalReportType | IMPOUND |
externalReportType | MISSING_PERSONS |
externalReportType | OFFENSE |
externalReportType | TOW_VEHICLE |
externalReportType | TRAFFIC_CRASH |
externalReportType | SUPPLEMENT |
externalReportType | USE_OF_FORCE |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalReportCreationResult
{
"externalReport": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [
{}
],
"caseStatus": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatisticOtherDescription": "string",
"eventStatistics": [
"string"
],
"eventStatisticsDisplayNames": [
"string"
],
"externalArrest": {
"advisedRights": true,
"advisedRightsDateUtc": "2019-08-24T14:15:22Z",
"advisedRightsLocation": "string",
"advisedRightsOfficer": {},
"advisedRightsResponse": "string",
"advisedRightsResponseDescription": "string",
"arrestDateUtc": "2019-08-24T14:15:22Z",
"arrestLocation": {},
"arrestStatistics": [],
"arrestTactics": [],
"arrestType": "string",
"arresteeArmedWith": [],
"arrestingAgency": "string",
"arrestingOfficer": {},
"bailAmount": 0,
"charges": [],
"codefendants": [],
"complainantOrganizations": [],
"complainantPeople": [],
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"defendant": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"isJuvenile": true,
"judgeName": "string",
"juvenileTriedAsAdult": true,
"juvenileTriedAsAdultNotes": "string",
"localId": "string",
"lockupDateUtc": "2019-08-24T14:15:22Z",
"lockupLocation": "string",
"lockupNumber": "string",
"mark43Id": 0,
"nibrsCode": "str",
"placeDetained": "string",
"placeDetainedAtDescription": "string",
"releasedByOfficer": {},
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalCitation": {
"actualSpeed": 0,
"bailAmount": 0,
"citationCharge1": "string",
"citationCharge2": "string",
"citationCharge3": "string",
"citationCharge4": "string",
"citationCharge5": "string",
"citationChargeResultDisplayName1": "string",
"citationChargeResultDisplayName2": "string",
"citationChargeResultDisplayName3": "string",
"citationChargeResultDisplayName4": "string",
"citationChargeResultDisplayName5": "string",
"citationLocation": {},
"citationNumber": "string",
"citationRecipientOrganization": {},
"citationRecipientPerson": {},
"citationStatisticOtherDescription": "string",
"citationStatistics": [],
"citationStatisticsDisplayNames": [],
"citationType": "string",
"citationTypeDisplayName": "string",
"citationTypeOther": "string",
"citationVehicle": {},
"courtDateUtc": "2019-08-24T14:15:22Z",
"courtName": "string",
"courtRoomNumber": "string",
"courtType": "string",
"courtTypeDisplayName": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"issuedDateUtc": "2019-08-24T14:15:22Z",
"judgeName": "string",
"mark43Id": 0,
"placeDetained": "string",
"postedSpeed": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalCustomFields": {
"courtCase": {},
"customReportTypeName": "string",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": []
},
"externalFieldContact": {
"communityInformationObtainedFrom": "string",
"communityInformationObtainedFromDescription": "string",
"contactDetailsNarrative": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"detainedEndDateUtc": "2019-08-24T14:15:22Z",
"detainedStartDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fieldContactLocations": [],
"fieldContactOrganizations": [],
"fieldContactSubjects": [],
"fieldContactType": "string",
"fieldContactTypeDescription": "string",
"involvedFirearms": [],
"involvedProperty": [],
"involvedVehicles": [],
"localId": "string",
"mark43Id": 0,
"movingViolationNumber": "string",
"policeExperienceNarrative": "string",
"reasonForStop": "string",
"reasonForStopDescription": "string",
"reasonableSuspicionNarrative": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"wasStopScreenedBySupervisor": true
},
"externalId": "string",
"externalImpound": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"keysInVehicle": true,
"mark43Id": 0,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleLocked": true
},
"externalMissingPerson": {
"additionalInformation": [],
"closureDate": "2019-08-24T14:15:22Z",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"lastContactDate": "2019-08-24T14:15:22Z",
"lastKnownContacts": [],
"lastKnownLocation": {},
"mark43Id": 0,
"missingPerson": {},
"missingPersonCriticality": "string",
"missingPersonCriticalityOther": "string",
"missingPersonStatus": "string",
"missingPersonType": "string",
"missingPersonTypeOther": "string",
"returnedLocation": {},
"updatedDateUtc": "2019-08-24T14:15:22Z",
"witnesses": []
},
"externalOffenses": [
{}
],
"externalReportType": "ARREST",
"externalStop": {
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fieldContactDispositions": [],
"forceResultedInInjury": true,
"locationOfStop": {},
"mark43Id": 0,
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [],
"updatedDateUtc": "2019-08-24T14:15:22Z",
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
},
"externalSupplement": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"involvedFirearms": [],
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": [],
"involvedProperty": [],
"involvedVehicles": [],
"mark43Id": 0,
"primaryUnit": "string",
"supplementType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalSystem": "string",
"externalTowVehicle": {
"additionalNotes": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {},
"externalSystem": "string",
"externalTowVehicleCheckIn": {},
"externalTowVehicleRelease": {},
"externalType": "WARRANT",
"isImpounded": true,
"mark43Id": 0,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {},
"towedVehicle": {},
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
},
"externalTrafficCrash": {
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [],
"involvedPersons": [],
"involvedVehicles": [],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"mark43Id": 0,
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [],
"trafficCrashAttributes": [],
"trafficCrashEntityDetails": [],
"trafficCrashLocation": {},
"trafficCrashPeople": [],
"trafficCrashRoadways": [],
"trafficCrashVehicles": [],
"updatedDateUtc": "2019-08-24T14:15:22Z",
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
},
"externalType": "WARRANT",
"involvedFirearms": [
{}
],
"involvedProfiles": {
"involvedLocations": [],
"involvedOrganizations": [],
"involvedPersons": []
},
"involvedProperty": [
{}
],
"involvedVehicles": [
{}
],
"isLegacyReport": true,
"mark43Id": 0,
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"reportNumber": "string",
"reportingOrganizations": [
{}
],
"reportingPersons": [
{}
],
"respondingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"routingLabels": [
"string"
],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"useOfForce": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"incidentResultedInCrimeReport": true,
"mark43Id": 0,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
},
"validationErrorMessages": [
"string"
],
"warnings": {
"property1": "string",
"property2": "string"
}
}
Model that represents report creation response
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
externalReport | ExternalReport | false | none | Report input object. Mark43Id is populated if no validation error occurred. |
validationErrorMessages | [string] | false | none | If the report failed validation, error message will be here |
warnings | object | false | none | Warnings generated during report creation |
» additionalProperties | string | false | none | none |
ExternalReportExportRequest
{
"approvalStatuses": [
"DRAFT"
],
"combineReportsWithSameRenIntoOneExport": true,
"customReportTypes": [
"string"
],
"exportReleasedToCode": "string",
"forceReExportEvenIfReportNotUpdatedSinceLastExport": true,
"includeAddendums": true,
"includeAttachmentsInZipFile": true,
"includeConfidentialInformation": true,
"includeHistory": true,
"mergeAttachmentsIntoPdf": true,
"namesOfReportDefinitionsToExclude": [
"string"
],
"onlyIncludeFieldsWithData": true,
"printingTemplateName": "string",
"rangeEndUtc": "2019-08-24T14:15:22Z",
"rangeStartUtc": "2019-08-24T14:15:22Z",
"recordNumbers": [
"string"
],
"reportTypes": [
"ARREST"
],
"reportingEventNumbers": [
"string"
]
}
Model that represents the input parameters needed to identify reports to be exported
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
approvalStatuses | [string] | true | none | Approval statuses of the report |
combineReportsWithSameRenIntoOneExport | boolean | false | none | True when all reports meeting the specified criteria and have the same REN will be combined into one export and one PDF; false when each report will be in a separate PDF regardless of REN. Default is false |
customReportTypes | [string] | true | none | Names of the types of custom reports to be exported |
exportReleasedToCode | string | true | none | The display abbreviation or code for release type to be exported. Corresponds to EXPORT_RELEASED_TO attribute type) |
forceReExportEvenIfReportNotUpdatedSinceLastExport | boolean | false | none | True when creating a new export for all reports, even if they've already been exported and have not been updated since the last export. Default is false |
includeAddendums | boolean | false | none | True when including addendums in PDF export. Default is false |
includeAttachmentsInZipFile | boolean | false | none | True when exporting a zip file containing both the report PDF and all attachments files. Default is false |
includeConfidentialInformation | boolean | false | none | True when including confidential information in PDF export. Default is false |
includeHistory | boolean | false | none | True when including report history in PDF export. Default is false |
mergeAttachmentsIntoPdf | boolean | false | none | True when merging attachments into report PDF in addition to providing separately in zip file. If true, includeAttachmentsInZipFile must also be true. Default is false. |
namesOfReportDefinitionsToExclude | [string] | false | none | Names of specific report definitions to exclude from export (e.g. exclude a custom report type that is linked to a report that is included in export) |
onlyIncludeFieldsWithData | boolean | false | none | True when excluding blank fields in PDF export; false when including all fields even if blank. Default is true |
printingTemplateName | string | false | none | Name of printing template to be used for export. If null, default is 'Report Packet' |
rangeEndUtc | string(date-time) | false | none | End date/time of report updated range in UTC |
rangeStartUtc | string(date-time) | true | none | Start date/time of report updated range in UTC |
recordNumbers | [string] | false | none | Optional filter that can used to filter reports by Record Number in conjunction with reportingEventNumbers |
reportTypes | [string] | true | none | Types of reports to be exported |
reportingEventNumbers | [string] | false | none | Optional filter that can used to filter reports by REN in conjunction with recordNumbers |
ExternalReportExternalLink
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"reasonForAssociation": "string",
"reasonForAssociationOther": "string",
"sourceId": "string",
"sourceSystemName": "string",
"sourceSystemOther": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"url": "string"
}
Model that represents links between reports and source systems
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
reasonForAssociation | string | false | none | Display value of attribute denoting the reason external record is being linked to the report. Attribute Type: Reason for Association |
reasonForAssociationOther | string | false | none | Free-text explanation if reasonForAssociation attribute is 'Other' |
sourceId | string | false | none | Unique identifier or reference number for the external record within the source system |
sourceSystemName | string | false | none | Display value of attribute that denotes the source system/organization that maintains the external record. Attribute Type: External Record Source |
sourceSystemOther | string | false | none | Free-text explanation if sourceSystemName attribute is 'Other' |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
url | string | true | none | Absolute HTTP url. Used to hyperlink to the external record |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalReportExtractionResult
{
"externalCadTickets": [
{
"agencyCode": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callerName": "string",
"callerPhoneNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketComments": [],
"externalCadTicketUnitAndMembers": [],
"externalId": "string",
"externalLocation": {},
"externalSystem": "string",
"externalType": "WARRANT",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"fmsEventNumber": "string",
"involvedPersons": [],
"involvedVehicles": [],
"mark43Id": 0,
"reportingEventNumber": "string",
"secondaryEventType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"externalReports": [
{
"additionalDetails": {},
"agencyCode": "string",
"agencyOri": "string",
"approvalStatus": "DRAFT",
"approvedBy": {},
"approvedDateUtc": "2019-08-24T14:15:22Z",
"assistingOfficers": [],
"caseStatus": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"eventEndUtc": "2019-08-24T14:15:22Z",
"eventStartUtc": "2019-08-24T14:15:22Z",
"eventStatisticOtherDescription": "string",
"eventStatistics": [],
"eventStatisticsDisplayNames": [],
"externalArrest": {},
"externalCitation": {},
"externalCustomFields": {},
"externalFieldContact": {},
"externalId": "string",
"externalImpound": {},
"externalMissingPerson": {},
"externalOffenses": [],
"externalReportType": "ARREST",
"externalStop": {},
"externalSupplement": {},
"externalSystem": "string",
"externalTowVehicle": {},
"externalTrafficCrash": {},
"externalType": "WARRANT",
"involvedFirearms": [],
"involvedProfiles": {},
"involvedProperty": [],
"involvedVehicles": [],
"isLegacyReport": true,
"mark43Id": 0,
"narrative": "string",
"personnelUnit": "string",
"recordNumber": "string",
"reportLocation": {},
"reportNumber": "string",
"reportingOrganizations": [],
"reportingPersons": [],
"respondingOfficer": {},
"routingLabels": [],
"statusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"submittedBy": {},
"submittedDateUtc": "2019-08-24T14:15:22Z",
"summaryNarrative": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"useOfForce": {}
}
]
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
externalCadTickets | [ExternalCadTicket] | true | none | [Model that represents a CAD ticket being created in or retrieved from Mark43] |
externalReports | [ExternalReport] | true | none | [Model that represents a report being created in or retrieved from Mark43 RMS] |
ExternalReportingEventNumber
{
"agencyCode": "string",
"agencyId": 0,
"agencyOri": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"reportingEventNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a Reporting Event Number assigned to an event in Mark43 CAD
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
agencyCode | string | false | none | Agency code of agency assigned to event |
agencyId | integer(int64) | false | none | Mark43 ID of agency assigned to event |
agencyOri | string | false | none | Agency ORI of agency assigned to event |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
reportingEventNumber | string | false | none | The reporting event number for the agency's involvement in an event |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalResult
{
"from": 0,
"records": [
{}
],
"size": 0,
"totalRecordCount": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
from | integer(int32) | false | none | Number of records that were skipped |
records | [object] | false | none | Returned records |
size | integer(int32) | false | none | Number of records returned in the current page |
totalRecordCount | integer(int32) | false | none | Total number of records in the result set |
ExternalResultExternalCase
{
"from": 0,
"records": [
{
"approvalStatus": "DRAFT",
"approvalStatusDateUtc": "2019-08-24T14:15:22Z",
"approvalStatusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"assignedDate": "2019-08-24T14:15:22Z",
"assignedPersonnelUnit": "string",
"assignedUser": {},
"assistingInvestigators": [],
"caseNotes": [],
"caseReviews": [],
"caseStatus": "string",
"caseStatusDateUtc": "2019-08-24T14:15:22Z",
"caseStatusUpdatedDateUtc": "2019-08-24T14:15:22Z",
"caseTypeAbbrevation": "string",
"caseTypeDisplayName": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"localId": "string",
"mark43Id": 0,
"supervisors": [],
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"size": 0,
"totalRecordCount": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
from | integer(int32) | false | none | Number of records that were skipped |
records | [ExternalCase] | false | none | Returned records |
size | integer(int32) | false | none | Number of records returned in the current page |
totalRecordCount | integer(int32) | false | none | Total number of records in the result set |
ExternalResultExternalChainOfCustody
{
"from": 0,
"records": [
{
"chainEvents": [],
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firearm": {},
"mark43Id": 0,
"property": {},
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicle": {}
}
],
"size": 0,
"totalRecordCount": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
from | integer(int32) | false | none | Number of records that were skipped |
records | [ExternalChainOfCustody] | false | none | Returned records |
size | integer(int32) | false | none | Number of records returned in the current page |
totalRecordCount | integer(int32) | false | none | Total number of records in the result set |
ExternalResultExternalTask
{
"from": 0,
"records": [
{
"approvalStatusForCase": {},
"assignee": {},
"assigneeRoleId": 0,
"attachments": [],
"clientApprovalStatus": "DRAFT",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"dueDateInterval": "string",
"dueDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"itemTypeAttrDisplayAbbreviation": "string",
"itemTypeAttrDisplayValue": "string",
"itemTypeAttrId": 0,
"mark43Id": 0,
"ownerEntityId": 0,
"ownerEntityTitle": "string",
"ownerEntityType": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"taskEntityLinks": [],
"taskStatusDisplayAbbreviation": "string",
"taskStatusDisplayValue": "string",
"taskStatusId": 0,
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"size": 0,
"totalRecordCount": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
from | integer(int32) | false | none | Number of records that were skipped |
records | [ExternalTask] | false | none | Returned records |
size | integer(int32) | false | none | Number of records returned in the current page |
totalRecordCount | integer(int32) | false | none | Total number of records in the result set |
ExternalResultExternalVehicle
{
"from": 0,
"records": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"size": 0,
"totalRecordCount": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
from | integer(int32) | false | none | Number of records that were skipped |
records | [ExternalVehicle] | false | none | Returned records |
size | integer(int32) | false | none | Number of records returned in the current page |
totalRecordCount | integer(int32) | false | none | Total number of records in the result set |
ExternalResultExternalWarrant
{
"from": 0,
"records": [
{
"arrestNotes": "string",
"arrestNumber": "string",
"attachments": [],
"bailAmount": 1500,
"courtCaseNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"enteredBy": {},
"enteredDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"hasNightService": true,
"internalWarrantWorkflowStatus": "string",
"internalWarrantWorkflowStatusDescription": "string",
"isOtherJurisdiction": true,
"issuingAgencyName": "string",
"issuingAgencyOri": "string",
"issuingCourtAddress": "string",
"issuingCourtName": "string",
"issuingCourtOri": "string",
"issuingCourtPhoneNumber": "string",
"issuingJudge": "string",
"mark43ArrestId": "string",
"mark43Id": 0,
"noBail": true,
"obtainingOfficer": {},
"obtainingOfficerFreeText": "string",
"originatingAgencyCaseNumber": "string",
"regionalMessageSwitchNumber": "string",
"reportingEventNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"warrantActivities": [],
"warrantAttributes": [],
"warrantCharges": [],
"warrantEntryLevelCode": "string",
"warrantEntryLevelCodeDescription": "string",
"warrantIssuedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantLocation": {},
"warrantNotes": "string",
"warrantNumber": "string",
"warrantReceivedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantStatus": "string",
"warrantStatusDateUtc": "2019-08-24T14:15:22Z",
"warrantSubject": {},
"warrantType": "string"
}
],
"size": 0,
"totalRecordCount": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
from | integer(int32) | false | none | Number of records that were skipped |
records | [ExternalWarrant] | false | none | Returned records |
size | integer(int32) | false | none | Number of records returned in the current page |
totalRecordCount | integer(int32) | false | none | Total number of records in the result set |
ExternalRmsHistoryEvent
{
"approvalStatus": "string",
"changeSet": [
{
"fieldName": "string",
"historyValueType": "string",
"newValue": "string",
"oldValue": "string",
"unit": "string"
}
],
"changedBy": 0,
"clientApprovalStatus": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"directionPrefix": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"historyEventCategory": "string",
"historyEventType": "string",
"linkTypeName": "string",
"mark43Id": 0,
"primaryId": 0,
"primaryName": "string",
"primaryType": "string",
"reasonForDeletion": "string",
"secondaryApprovalStatus": "string",
"secondaryId": 0,
"secondaryName": "string",
"secondaryType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
approvalStatus | string | false | none | none |
changeSet | [ExternalChangeView] | false | none | none |
changedBy | integer(int64) | true | none | none |
clientApprovalStatus | string | false | none | none |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
directionPrefix | string | false | none | none |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
historyEventCategory | string | false | none | none |
historyEventType | string | false | none | none |
linkTypeName | string | false | none | none |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
primaryId | integer(int64) | false | none | none |
primaryName | string | false | none | none |
primaryType | string | false | none | none |
reasonForDeletion | string | false | none | none |
secondaryApprovalStatus | string | false | none | none |
secondaryId | integer(int64) | false | none | none |
secondaryName | string | false | none | none |
secondaryType | string | false | none | none |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalScheduledCadEvent
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalCadEvent": {
"additionalInfos": [
{}
],
"agencyCode": "string",
"agencyId": 0,
"alarmLevel": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventId": 0,
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callForServiceCode": "string",
"callTaker": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"callTakerStationId": "string",
"callerName": "string",
"callerPhoneNumber": "string",
"communicationType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"disposition": "string",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventLabels": [
{}
],
"eventPriority": "string",
"eventReceivedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketUnitAndMembers": [
{}
],
"externalId": "string",
"externalLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"externalSystem": "string",
"externalType": "WARRANT",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"firstUnitEnrouteDateutc": "2019-08-24T14:15:22Z",
"involvedPeople": [
{}
],
"involvedPersons": [
{}
],
"involvedUnits": [
{}
],
"involvedVehicles": [
{}
],
"lastEventClearingComments": "string",
"mark43Id": 0,
"narrative": "string",
"proQaDeterminantCode": "string",
"radioChannels": [
{}
],
"reportingEventNumber": "string",
"reportingEventNumbers": [
{}
],
"reportingParties": [
{}
],
"reportingPartyLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"reportingPartyNotes": "string",
"reportingPartyPhoneNumber": "string",
"reportingPerson": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"secondaryEventType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"frequency": "string",
"mark43Id": 0,
"modelVersion": "string",
"nextScheduledDateUtc": "2019-08-24T14:15:22Z",
"scheduledEventNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a CAD Event scheduled for creation in Mark43
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalCadEvent | ExternalCadEvent | false | none | The event that is scheduled for a time in the future |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
frequency | string | false | none | The frequency that the event should be created. Only populated on retrieval |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
modelVersion | string | false | none | The code version that was used to generate the scheduled event model. Only populated on retrieval |
nextScheduledDateUtc | string(date-time) | false | none | The Date/time of the next upcoming event creation. Only populated on retrieval |
scheduledEventNumber | string | false | none | The agency event number that will be assigned for the next scheduled event. Only populated on retrieval |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalScheduledEventCreationResult
{
"errors": [
"string"
],
"externalScheduledCadEvent": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalCadEvent": {
"additionalInfos": [],
"agencyCode": "string",
"agencyId": 0,
"alarmLevel": "string",
"assignedAgencyOri": "string",
"cadAgencyEventNumber": "string",
"cadCommonEventId": 0,
"cadCommonEventNumber": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callForServiceCode": "string",
"callTaker": {},
"callTakerStationId": "string",
"callerName": "string",
"callerPhoneNumber": "string",
"communicationType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"disposition": "string",
"e911EventNumber": "string",
"eventClosedDateUtc": "2019-08-24T14:15:22Z",
"eventLabels": [],
"eventPriority": "string",
"eventReceivedDateUtc": "2019-08-24T14:15:22Z",
"eventStartDateUtc": "2019-08-24T14:15:22Z",
"eventStatus": "string",
"eventType": "string",
"externalCadTicketUnitAndMembers": [],
"externalId": "string",
"externalLocation": {},
"externalSystem": "string",
"externalType": "WARRANT",
"firstUnitArrivalDateUtc": "2019-08-24T14:15:22Z",
"firstUnitDispatchDateUtc": "2019-08-24T14:15:22Z",
"firstUnitEnrouteDateutc": "2019-08-24T14:15:22Z",
"involvedPeople": [],
"involvedPersons": [],
"involvedUnits": [],
"involvedVehicles": [],
"lastEventClearingComments": "string",
"mark43Id": 0,
"narrative": "string",
"proQaDeterminantCode": "string",
"radioChannels": [],
"reportingEventNumber": "string",
"reportingEventNumbers": [],
"reportingParties": [],
"reportingPartyLocation": {},
"reportingPartyNotes": "string",
"reportingPartyPhoneNumber": "string",
"reportingPerson": {},
"secondaryEventType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"frequency": "string",
"mark43Id": 0,
"modelVersion": "string",
"nextScheduledDateUtc": "2019-08-24T14:15:22Z",
"scheduledEventNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"warnings": {
"property1": "string",
"property2": "string"
}
}
Model that represents the return results for a CAD Event being scheduled from Mark43
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
errors | [string] | false | none | Errors preventing the scheduling of a CAD Event creation |
externalScheduledCadEvent | ExternalScheduledCadEvent | false | none | Created ExternalCadEvent input object populated with Mark43 IDs |
warnings | object | false | none | Warnings generated during the scheduling of a CAD Event |
» additionalProperties | string | false | none | none |
ExternalStation
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"dispatchAreaId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isActive": true,
"mark43Id": 0,
"stationAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"stationName": "strin",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents station configuration details
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
dispatchAreaId | integer(int64) | false | none | Mark43 ID of dispatch area the station services |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
isActive | boolean | false | none | True if the station is active |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
stationAddress | ExternalLocation | false | none | Street address of station |
stationName | string | false | none | Unique name of station |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalStop
{
"arrestBasedOn": "string",
"atlQ1": true,
"atlQ2": true,
"contactType": "string",
"contrabandType": "string",
"contrabandTypeOther": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fieldContactDispositions": [
"string"
],
"forceResultedInInjury": true,
"locationOfStop": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"mark43Id": 0,
"narrative1": "string",
"narrative2": "string",
"narrative3": "string",
"narrative4": "string",
"narrative5": "string",
"otherInvolvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"reasonForSearch": "string",
"reasonForSearchOther": "string",
"reasonForStop": "string",
"reasonForStopOther": "string",
"resultOfStop": "string",
"subjects": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"updatedDateUtc": "2019-08-24T14:15:22Z",
"violationNumber": "string",
"wasContrabandDiscovered": true,
"wasRaceKnown": true,
"wasSearchConsented": true,
"wasSubjectScreened": "string",
"wasSubjectSearched": true
}
Model that represents a Stop encounter
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
arrestBasedOn | string | false | none | Display abbreviation of attribute indicating the grounds for arrest. Attribute Type: Arrest Based On |
atlQ1 | boolean | false | none | atlQ1 |
atlQ2 | boolean | false | none | atlQ2 |
contactType | string | false | none | Display abbreviation of attribute denoting the type of field contact. Attribute Type: Field Contact Type |
contrabandType | string | false | none | Display abbreviation of attribute denoting the type of contraband found. Attribute Type: Weapon Involved |
contrabandTypeOther | string | false | none | Contraband type description |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
fieldContactDispositions | [string] | false | none | Array of display abbreviations of applicable field contact disposition attributes. Attribute Type: Field Contact Disposition |
forceResultedInInjury | boolean | false | none | True if law enforcement use of force resulted in injury to the subject |
locationOfStop | ExternalLocation | false | none | Location of the stop |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
narrative1 | string | false | none | Narrative 1 |
narrative2 | string | false | none | Narrative 2 |
narrative3 | string | false | none | Narrative 3 |
narrative4 | string | false | none | Narrative 4 |
narrative5 | string | false | none | Narrative 5 |
otherInvolvedPersons | [ExternalPerson] | false | none | Persons who were not subjects, but were otherwise involved in the stop |
reasonForSearch | string | false | none | Display abbreviation of attribute denoting reason for search. Attribute Type: Reason For Search |
reasonForSearchOther | string | false | none | Reason for search description |
reasonForStop | string | false | none | Display abbreviation of attribute denoting reason for stop. Attribute Type: Subject Data Reason For Stop |
reasonForStopOther | string | false | none | Reason for stop description |
resultOfStop | string | false | none | Display abbreviation of attribute indicating result of the stop. Attribute Type: Result of Stop |
subjects | [ExternalPerson] | false | none | Person subject(s) of the stop |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
violationNumber | string | false | none | Stop violation number |
wasContrabandDiscovered | boolean | false | none | True if contraband was discovered |
wasRaceKnown | boolean | false | none | True if race or ethnicity of subject was known prior to the stop. Used in Texas TCOLE reporting |
wasSearchConsented | boolean | false | none | True if subject consented to search |
wasSubjectScreened | string | false | none | Display abbreviation of attribute indicating if subject was screened. Attribute Type: Was Subject Screened |
wasSubjectSearched | boolean | false | none | True if the subject was searched |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalSupplement
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"involvedFirearms": [
{
"additionalDetails": {},
"altered": true,
"barcodeValues": [],
"barrelLength": 0,
"caliber": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"finish": "string",
"firearmMake": "string",
"grip": "string",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"numberOfShots": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationNumber": "string",
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"stock": "string",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedLocations": [
{
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
}
],
"involvedOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"involvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"involvedProperty": [
{
"additionalDetails": {},
"barcodeValues": [],
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"intakePerson": "string",
"isBiohazard": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"linkedNames": [],
"make": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"model": "string",
"otherIdentifiers": {},
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"mark43Id": 0,
"primaryUnit": "string",
"supplementType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a supplement associated with a report
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
description | string | true | none | Description of Supplement Report |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
involvedFirearms | [ExternalFirearm] | false | none | Firearms associated with supplement |
involvedLocations | [ExternalLocation] | false | none | Locations associated with supplement |
involvedOrganizations | [ExternalOrganization] | false | none | Organizations associated with supplement |
involvedPersons | [ExternalPerson] | false | none | Persons associated with supplement |
involvedProperty | [ExternalItemBase] | false | none | Property associated with supplement |
involvedVehicles | [ExternalVehicle] | false | none | Vehicles associated with supplement |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
primaryUnit | string | false | none | Display abbreviation of attribute for primary unit responsible for Supplement Report. Attribute Type: Personnel Unit |
supplementType | string | true | none | Display abbreviation of attribute for type of Supplement Report. Attribute Type: Supplement Type |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTask
{
"approvalStatusForCase": {
"name": "string",
"value": "string"
},
"assignee": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"assigneeRoleId": 0,
"attachments": [
{
"attachmentType": {},
"createdDateUtc": "2019-08-24T14:15:22Z",
"entityType": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fileId": 0,
"fileName": "string",
"fileType": "CSV",
"fileWebServerPath": "string",
"linkType": "INVOLVED_PERSON_IN_REPORT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"clientApprovalStatus": "DRAFT",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"dueDateInterval": "string",
"dueDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"itemTypeAttrDisplayAbbreviation": "string",
"itemTypeAttrDisplayValue": "string",
"itemTypeAttrId": 0,
"mark43Id": 0,
"ownerEntityId": 0,
"ownerEntityTitle": "string",
"ownerEntityType": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"taskEntityLinks": [
{
"clientApprovalStatus": "DRAFT",
"createdDateUtc": "2019-08-24T14:15:22Z",
"entityId": 0,
"entityTitle": "string",
"entityTypeName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"taskStatusDisplayAbbreviation": "string",
"taskStatusDisplayValue": "string",
"taskStatusId": 0,
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a Task
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
approvalStatusForCase | ApprovalStatusForCase | false | none | Case Approval Status |
assignee | ExternalUser | false | none | The user assigned to the task, used only for task creation |
assigneeRoleId | integer(int64) | false | read-only | Id of the role the assigned user/group |
attachments | [ExternalAttachment] | false | read-only | List of Attachments referenced by the task. |
clientApprovalStatus | string | false | none | Task Approval Status - DRAFT, REJECTED, PENDING_SUPERVISOR_REVIEW, PENDING_SECONDARY_REVIEW, COMPLETED |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
description | string | false | none | Description of the Task. |
dueDateInterval | string | false | none | Period of time between task creation and due date. Populated from default task settings. |
dueDateUtc | string(date-time) | false | none | Due date for the task. |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
itemTypeAttrDisplayAbbreviation | string | false | none | Display Abbreviation of the attribute for the item referenced in the Task |
itemTypeAttrDisplayValue | string | false | read-only | Display Value of the attribute for the item referenced in the Task |
itemTypeAttrId | integer(int64) | false | none | Identifier of the attribute for the item referenced in the Task |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
ownerEntityId | integer(int64) | false | read-only | Identifier of the attribute for the entity owning the Task. |
ownerEntityTitle | string | false | read-only | Title of the entity owning the task |
ownerEntityType | string | false | read-only | Entity Type of the record to which the task is associated. CASE, REPORT, WARRANT, ITEM_PROFILE, PERSON_PROFILE, TASK |
statusDateUtc | string(date-time) | false | none | The date of the Task's last status change |
taskEntityLinks | [ExternalTaskEntityLink] | false | read-only | List of EntityLinks, object representing links to other entities. E.g. reports, evidence |
taskStatusDisplayAbbreviation | string | false | none | Display abbreviation of attribute for status of the Task. Attribute Type: Task Status |
taskStatusDisplayValue | string | false | read-only | Display name of attribute for status of the Task. Attribute Type: Task Status |
taskStatusId | integer(int64) | false | none | Identifier of attribute for status of the Task. Attribute Type: Task Status |
title | string | false | none | Title of the Task. |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
clientApprovalStatus | DRAFT |
clientApprovalStatus | REJECTED |
clientApprovalStatus | PENDING_SUPERVISOR_REVIEW |
clientApprovalStatus | PENDING_SECONDARY_REVIEW |
clientApprovalStatus | COMPLETED |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTaskCreationResult
{
"externalTask": {
"approvalStatusForCase": {
"name": "string",
"value": "string"
},
"assignee": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"assigneeRoleId": 0,
"attachments": [
{}
],
"clientApprovalStatus": "DRAFT",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"dueDateInterval": "string",
"dueDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"itemTypeAttrDisplayAbbreviation": "string",
"itemTypeAttrDisplayValue": "string",
"itemTypeAttrId": 0,
"mark43Id": 0,
"ownerEntityId": 0,
"ownerEntityTitle": "string",
"ownerEntityType": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"taskEntityLinks": [
{}
],
"taskStatusDisplayAbbreviation": "string",
"taskStatusDisplayValue": "string",
"taskStatusId": 0,
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"validationErrorMessages": [
"string"
],
"warnings": {
"property1": "string",
"property2": "string"
}
}
Task Creation Response Object
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
externalTask | ExternalTask | false | none | Report input object. Mark43Id is populated if no validation error occurred. |
validationErrorMessages | [string] | false | none | If the report failed validation, error message will be here |
warnings | object | false | none | Warnings generated during report creation |
» additionalProperties | string | false | none | none |
ExternalTaskEntityLink
{
"clientApprovalStatus": "DRAFT",
"createdDateUtc": "2019-08-24T14:15:22Z",
"entityId": 0,
"entityTitle": "string",
"entityTypeName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a Task
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
clientApprovalStatus | string | false | none | Approval Status of Linked Entity |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
entityId | integer(int64) | false | none | Identifier of the Linked Entity |
entityTitle | string | false | none | Title of the Linked Entity |
entityTypeName | string | false | none | Name of the Entity Type |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
clientApprovalStatus | DRAFT |
clientApprovalStatus | REJECTED |
clientApprovalStatus | PENDING_SUPERVISOR_REVIEW |
clientApprovalStatus | PENDING_SECONDARY_REVIEW |
clientApprovalStatus | COMPLETED |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTowVehicle
{
"additionalNotes": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfTheft": "2019-08-24",
"externalId": "string",
"externalImpound": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"keysInVehicle": true,
"mark43Id": 0,
"nicNumberCancellation": "string",
"nicNumberCancellationDateUtc": "2019-08-24T14:15:22Z",
"nicNumberCancellationIsLocal": true,
"nicNumberOriginal": "string",
"nicNumberOriginalDateUtc": "2019-08-24T14:15:22Z",
"nicNumberOriginalIsLocal": true,
"ocaNumberCancellation": "string",
"ocaNumberOriginal": "string",
"originatingAgencyCancellation": "string",
"originatingAgencyOriginal": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleLocked": true
},
"externalSystem": "string",
"externalTowVehicleCheckIn": {
"createdDateUtc": "2019-08-24T14:15:22Z",
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"mark43Id": 0,
"registrationInVehicle": true,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleHeldAsEvidence": true
},
"externalTowVehicleRelease": {
"additionalNotes": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"releaseBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"externalType": "WARRANT",
"isImpounded": true,
"mark43Id": 0,
"messageLeftWith": "string",
"originalRen": "string",
"outsideRecoveryAgency": "string",
"outsideRecoveryAgencyRen": "string",
"reasonForTow": "string",
"remarksAndConditions": "string",
"towCompanyCalled": "string",
"towCompanyCalledDateUtc": "2019-08-24T14:15:22Z",
"towCompanyCalledOther": "string",
"towVehicleStatus": "string",
"towedFromLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"towedVehicle": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [
"string"
],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [
{}
],
"licensePlateNumber": "string",
"linkedNames": [
{}
],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleTowedDateUtc": "2019-08-24T14:15:22Z",
"wasLocateSent": true,
"wasOutsideRecovery": true,
"wasOwnerContactAttempted": true,
"wereImpoundsChecked": true
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalNotes | string | false | none | Additional notes |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
dateOfTheft | string(date) | false | none | Date the vehicle was stolen |
externalId | string | false | none | Identifier of entity in external system |
externalImpound | ExternalImpound | false | none | Fields on the Impound card of the Tow Vehicle Report |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalTowVehicleCheckIn | ExternalTowVehicleCheckIn | false | none | Fields on the Check-In card of the Tow Vehicle Report |
externalTowVehicleRelease | ExternalTowVehicleRelease | false | none | Fields on the Release card of the Tow Vehicle Report |
externalType | string | false | read-only | Type of external entity |
isImpounded | boolean | false | none | True if the vehicle is impounded |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
messageLeftWith | string | false | none | Name or description of person who received a message about tow vehicle |
originalRen | string | false | none | Reporting Event Number of the original event |
outsideRecoveryAgency | string | false | none | Name of the outside agency that recovered vehicle |
outsideRecoveryAgencyRen | string | false | none | Outside agency's Reporting Event/Case Number |
reasonForTow | string | false | none | Display abbreviation of attribute denoting the reason a vehicle was towed. Attribute Type: Reason For Tow |
remarksAndConditions | string | false | none | Remarks and conditions |
towCompanyCalled | string | false | none | Display abbreviation of attribute denoting the tow company that was contacted. Attribute Type: Tow Company Called |
towCompanyCalledDateUtc | string(date-time) | false | none | Date/time tow company was called in UTC |
towCompanyCalledOther | string | false | none | Other details about tow company. Can also be used if tow company doesn't have an associated attribute in the RMS |
towVehicleStatus | string | true | none | Display abbreviation of attribute denoting the towed vehicle's status. Attribute Type: Tow Vehicle Status |
towedFromLocation | ExternalLocation | false | none | ExternalLocation model for location the vehicle was towed from |
towedVehicle | ExternalVehicle | true | none | The vehicle that was towed |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
vehicleTowedDateUtc | string(date-time) | false | none | Date/time vehicle was towed in UTC |
wasLocateSent | boolean | false | none | True if the paperwork concerning the tow, storage location, and fees has been sent to the owner |
wasOutsideRecovery | boolean | false | none | True if the vehicle was recovered by an outside agency |
wasOwnerContactAttempted | boolean | false | none | True if officers or tow staff attempted to contact the vehicle owner |
wereImpoundsChecked | boolean | false | none | True if impounds were checked |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTowVehicleCheckIn
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"damageOnVehicle": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"insuranceInVehicle": true,
"licenseInVehicle": true,
"lotLocation": "string",
"mark43Id": 0,
"registrationInVehicle": true,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleHeldAsEvidence": true
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
damageOnVehicle | string | false | none | Description of pre-existing damage on the vehicle |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
insuranceInVehicle | boolean | false | none | True if proof of insurance is inside the vehicle |
licenseInVehicle | boolean | false | none | True if the owner's driver's license is in the vehicle |
lotLocation | string | false | none | Description of the vehicle's location on the impound lot |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
registrationInVehicle | boolean | false | none | True if proof of registration is in the vehicle |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
vehicleHeldAsEvidence | boolean | false | none | True if the vehicle is being held as evidence |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTowVehicleRelease
{
"additionalNotes": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"releaseBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalNotes | string | false | none | Additional notes about the tow vehicle release |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
releaseBy | ExternalUser | false | none | Mark43 user who released the tow vehicle |
releaseDateUtc | string(date-time) | false | none | Date/time vehicle was released from custody in UTC |
releaseType | string | false | none | Display abbreviation of the attribute indicating the tow vehicle release type. Attribute Type: Tow Vehicle Release Type |
releaseTypeOther | string | false | none | Other option for Tow Vehicle Release |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTowVehicleReleaseUpdateResult
{
"externalTowVehicleRelease": {
"additionalNotes": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"releaseBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"releaseDateUtc": "2019-08-24T14:15:22Z",
"releaseType": "string",
"releaseTypeOther": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"validationErrorMessages": [
"string"
],
"warnings": {
"property1": "string",
"property2": "string"
}
}
Model that represents tow vehicle release update response
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
externalTowVehicleRelease | ExternalTowVehicleRelease | false | none | Tow Vehicle Release input object. Updated values are populated if no validation error occurred. |
validationErrorMessages | [string] | false | none | If the release failed validation, error message will be here |
warnings | object | false | none | Warnings generated during tow vehicle release update |
» additionalProperties | string | false | none | none |
ExternalTrafficCrash
{
"additionalIntersectionDetailsRoadwayDirectionAbbreviation": "string",
"additionalIntersectionDetailsRoadwayDirectionAttrId": 0,
"additionalIntersectionDetailsRoadwayDirectionDisplayValue": "string",
"additionalIntersectionDetailsRoadwayRouteNumber": "string",
"additionalIntersectionRoadwayName": "string",
"alcoholInvolvementAbbreviation": "string",
"alcoholInvolvementAttrId": 0,
"alcoholInvolvementValue": "string",
"crashCityOrPlaceGlc": "string",
"crashClassificationCharacteristicsAbbreviation": "string",
"crashClassificationCharacteristicsAttrId": 0,
"crashClassificationCharacteristicsValue": "string",
"crashClassificationOwnershipAbbreviation": "string",
"crashClassificationOwnershipAttrId": 0,
"crashClassificationOwnershipValue": "string",
"crashClassificationSecondaryCrashAbbreviation": "string",
"crashClassificationSecondaryCrashAttrId": 0,
"crashClassificationSecondaryCrashValue": "string",
"crashCountyGlc": "string",
"crashDateAndTimeUtc": "2019-08-24T14:15:22Z",
"crashIdentifier": "string",
"crashSeverityAbbreviation": "string",
"crashSeverityAttrId": 0,
"crashSeverityValue": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dayOfWeekAbbreviation": "string",
"dayOfWeekAttrId": 0,
"dayOfWeekValue": "string",
"drugInvolvementAbbreviation": "string",
"drugInvolvementAttrId": 0,
"drugInvolvementValue": "string",
"entityOrderedAttributes": [
{
"attributeCode": "string",
"attributeDisplayValue": "string",
"attributeId": 0,
"attributeType": "CRIMINAL_ACTIVITY_CATEGORY",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"sequenceOrder": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"exitNumberDirectionAbbreviation": "string",
"exitNumberDirectionAttrId": 0,
"exitNumberDirectionDisplayValue": "string",
"exitNumberDistance": 0,
"exportFileId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstHarmfulEventAbbreviation": "string",
"firstHarmfulEventAttrId": 0,
"firstHarmfulEventValue": "string",
"hasPropertyDamage": true,
"intersectionDetailsRoadwayDirectionAbbreviation": "string",
"intersectionDetailsRoadwayDirectionAttrId": 0,
"intersectionDetailsRoadwayDirectionDisplayValue": "string",
"intersectionDetailsRoadwayName": "string",
"intersectionDetailsRoadwayRouteNumber": "string",
"intersectionNumApproachesAbbreviation": "string",
"intersectionNumApproachesAttrId": 0,
"intersectionNumApproachesValue": "string",
"intersectionOverallGeometryAbbreviation": "string",
"intersectionOverallGeometryAttrId": 0,
"intersectionOverallGeometryValue": "string",
"intersectionOverallTrafficControlDeviceAbbreviation": "string",
"intersectionOverallTrafficControlDeviceAttrId": 0,
"intersectionOverallTrafficControlDeviceValue": "string",
"involvedOrganizations": [
{
"additionalDetails": {},
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"email": "string",
"emailType": "string",
"emails": {},
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"industry": "string",
"involvement": "INVOLVED_ORG_IN_REPORT",
"involvementSequenceNumber": 0,
"isNonDisclosureRequest": true,
"isSociety": true,
"mark43Id": 0,
"masterId": 0,
"name": "string",
"nickname": "string",
"nicknames": [],
"officialAddress": {},
"otherIdentifiers": {},
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"physicalAddress": {},
"subjectType": "string",
"subjectTypeDescription": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"involvedPersons": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"involvedVehicles": [
{
"additionalDetails": {},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [],
"licensePlateNumber": "string",
"linkedNames": [],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
],
"judicialDistrict": "string",
"junctionSpecificLocationAbbreviation": "string",
"junctionSpecificLocationAttrId": 0,
"junctionSpecificLocationValue": "string",
"junctionWithinInterchangeAreaAbbreviation": "string",
"junctionWithinInterchangeAreaAttrId": 0,
"junctionWithinInterchangeAreaValue": "string",
"landmarkDistance": 0,
"landmarkDistanceDirectionAbbreviation": "string",
"landmarkDistanceDirectionAttrId": 0,
"landmarkDistanceDirectionDisplayValue": "string",
"landmarkDistanceUnitsAbbreviation": "string",
"landmarkDistanceUnitsAttrId": 0,
"landmarkDistanceUnitsDisplayValue": "string",
"landmarkIntersectingRoadwayDirectionAbbreviation": "string",
"landmarkIntersectingRoadwayDirectionAttrId": 0,
"landmarkIntersectingRoadwayDirectionDisplayValue": "string",
"landmarkIntersectingRoadwayDistance": 0,
"landmarkIntersectingRoadwayName": "string",
"landmarkIntersectingRoadwayRouteNumber": "string",
"landmarkName": "string",
"lightConditionAbbreviation": "string",
"lightConditionAttrId": 0,
"lightConditionValue": "string",
"lightConditionValueMmuccCode": "string",
"lightConditionValueMmuccName": "string",
"locationOfFirstHarmfulEventAbbreviation": "string",
"locationOfFirstHarmfulEventAttrId": 0,
"locationOfFirstHarmfulEventValue": "string",
"mannerOfCrashAbbreviation": "string",
"mannerOfCrashAttrId": 0,
"mannerOfCrashValue": "string",
"mark43Id": 0,
"milepost": "string",
"milepostDirectionAbbreviation": "string",
"milepostDirectionAttrId": 0,
"milepostDirectionDisplayValue": "string",
"milepostDistance": 0,
"milepostDistanceUnitsAbbreviation": "string",
"milepostDistanceUnitsAttrId": 0,
"milepostDistanceUnitsDisplayValue": "string",
"milepostExitNumber": "string",
"milepostRoadwayDirectionAbbreviation": "string",
"milepostRoadwayDirectionAttrId": 0,
"milepostRoadwayDirectionDisplayValue": "string",
"milepostRouteNumber": "string",
"numFatalities": 0,
"numMotorists": 0,
"numNonFatallyInjuredPersons": 0,
"numNonMotorists": 0,
"numVehicles": 0,
"postedSpeedLimit": 0,
"reportingDistrict": "string",
"reportingLawEnforcementAgencyIdentifier": "string",
"roadwayClearanceDateAndTimeUtc": "2019-08-24T14:15:22Z",
"roadwayDirectionAbbreviation": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayName": "string",
"roadwaySurfaceConditionAbbreviation": "string",
"roadwaySurfaceConditionAttrId": 0,
"roadwaySurfaceConditionMmuccCode": "string",
"roadwaySurfaceConditionMmuccName": "string",
"roadwaySurfaceConditionValue": "string",
"routeNumber": "string",
"schoolBusRelatedAbbreviation": "string",
"schoolBusRelatedAttrId": 0,
"schoolBusRelatedValue": "string",
"sourceOfInformationAbbreviation": "string",
"sourceOfInformationAttrId": 0,
"sourceOfInformationValue": "string",
"subjectsInTrafficCrash": [
{
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
}
],
"trafficCrashAttributes": [
{
"attributeType": "CRIMINAL_ACTIVITY_CATEGORY",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"mmuccCode": "string",
"mmuccName": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"trafficCrashEntityDetails": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"customAttributeDisplayAbbreviation": "string",
"customAttributeDisplayValue": "string",
"customAttributeId": 0,
"customFieldDisplayName": "string",
"customFieldId": 0,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"qcFieldId": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"trafficCrashLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"trafficCrashPeople": [
{
"age": 0,
"alcoholInterlockPresentAttrCode": "string",
"alcoholInterlockPresentAttrDisplayValue": "string",
"alcoholInterlockPresentAttrId": 0,
"alcoholTestResultAttrCode": "string",
"alcoholTestResultAttrDisplayValue": "string",
"alcoholTestResultAttrId": 0,
"alcoholTestStatusAttrCode": "string",
"alcoholTestStatusAttrDisplayValue": "string",
"alcoholTestStatusAttrId": 0,
"alcoholTestTypeAttrCode": "string",
"alcoholTestTypeAttrDisplayValue": "string",
"alcoholTestTypeAttrId": 0,
"attemptedAvoidanceManeuverAttrCode": "string",
"attemptedAvoidanceManeuverAttrDisplayValue": "string",
"attemptedAvoidanceManeuverAttrId": 0,
"cmvLicenseComplianceAttrCode": "string",
"cmvLicenseComplianceAttrDisplayValue": "string",
"cmvLicenseComplianceAttrId": 0,
"cmvLicenseStatusAttrCode": "string",
"cmvLicenseStatusAttrDisplayValue": "string",
"cmvLicenseStatusAttrId": 0,
"cmvLicenseStatusMmuccCode": "string",
"cmvLicenseStatusMmuccName": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfLicenseExpiration": "2019-08-24",
"distractedByAttrCode": "string",
"distractedByAttrDisplayValue": "string",
"distractedByAttrId": 0,
"distractedBySourceAttrCode": "string",
"distractedBySourceAttrDisplayValue": "string",
"distractedBySourceAttrId": 0,
"driverLicenseCdlAttrCode": "string",
"driverLicenseCdlAttrDisplayValue": "string",
"driverLicenseCdlAttrId": 0,
"driverLicenseCdlMmuccCode": "string",
"driverLicenseCdlMmuccName": "string",
"driverLicenseClassAttrCode": "string",
"driverLicenseClassAttrDisplayValue": "string",
"driverLicenseClassAttrId": 0,
"driverLicenseClassMmuccCode": "string",
"driverLicenseClassMmuccName": "string",
"driverLicenseJurisdictionAttrCode": "string",
"driverLicenseJurisdictionAttrDisplayValue": "string",
"driverLicenseJurisdictionAttrId": 0,
"driverLicenseJurisdictionName": "string",
"driverLicenseJurisdictionNameAnsiCode": "string",
"drugTestStatusAttrCode": "string",
"drugTestStatusAttrDisplayValue": "string",
"drugTestStatusAttrId": 0,
"drugTestTypeAttrCode": "string",
"drugTestTypeAttrDisplayValue": "string",
"drugTestTypeAttrId": 0,
"ejectionAttrCode": "string",
"ejectionAttrDisplayValue": "string",
"ejectionAttrId": 0,
"entityOrderedAttributes": [],
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fatalAlcoholTestResults": "string",
"fatalAlcoholTestTypeAttrCode": "string",
"fatalAlcoholTestTypeAttrDisplayValue": "string",
"fatalAlcoholTestTypeAttrId": 0,
"fatalDrugTestResults": "string",
"fatalDrugTestTypeAttrCode": "string",
"fatalDrugTestTypeAttrDisplayValue": "string",
"fatalDrugTestTypeAttrId": 0,
"incidentResponderAttrCode": "string",
"incidentResponderAttrDisplayValue": "string",
"incidentResponderAttrId": 0,
"initialContactPointOnNonMotoristAttrCode": "string",
"initialContactPointOnNonMotoristAttrDisplayValue": "string",
"initialContactPointOnNonMotoristAttrId": 0,
"injuryDiagnosis": "string",
"injurySeverityAttrCode": "string",
"injurySeverityAttrDisplayValue": "string",
"injurySeverityAttrId": 0,
"lawEnforcementSuspectsAlcoholUseAttrCode": "string",
"lawEnforcementSuspectsAlcoholUseAttrDisplayValue": "string",
"lawEnforcementSuspectsAlcoholUseAttrId": 0,
"lawEnforcementSuspectsDrugUseAttrCode": "string",
"lawEnforcementSuspectsDrugUseAttrDisplayValue": "string",
"lawEnforcementSuspectsDrugUseAttrId": 0,
"mark43Id": 0,
"medicalTransportEmsResponseRunNumber": "string",
"medicalTransportFacility": "string",
"medicalTransportSourceAgencyId": "string",
"medicalTransportSourceAttrCode": "string",
"medicalTransportSourceAttrDisplayValue": "string",
"medicalTransportSourceAttrId": 0,
"nonMotoristActionPriorToCrashAttrCode": "string",
"nonMotoristActionPriorToCrashAttrDisplayValue": "string",
"nonMotoristActionPriorToCrashAttrId": 0,
"nonMotoristContributingActionsAttrCode": "string",
"nonMotoristContributingActionsAttrDisplayValue": "string",
"nonMotoristContributingActionsAttrId": 0,
"nonMotoristLocationAtTimeOfCrashAttrCode": "string",
"nonMotoristLocationAtTimeOfCrashAttrDisplayValue": "string",
"nonMotoristLocationAtTimeOfCrashAttrId": 0,
"nonMotoristOriginOrDestinationAttrCode": "string",
"nonMotoristOriginOrDestinationAttrDisplayValue": "string",
"nonMotoristOriginOrDestinationAttrId": 0,
"person": {},
"personTypeAttrCode": "string",
"personTypeAttrDisplayValue": "string",
"personTypeAttrId": 0,
"quickCrashId": "string",
"quickCrashVehicleId": "string",
"restraintSystemsImproperUseAttrCode": "string",
"restraintSystemsImproperUseAttrDisplayValue": "string",
"restraintSystemsImproperUseAttrId": 0,
"restraintsAndHelmetsAttrCode": "string",
"restraintsAndHelmetsAttrDisplayValue": "string",
"restraintsAndHelmetsAttrId": 0,
"seatingPositionAttrCode": "string",
"seatingPositionAttrDisplayValue": "string",
"seatingPositionAttrId": 0,
"speedingRelatedAttrCode": "string",
"speedingRelatedAttrDisplayValue": "string",
"speedingRelatedAttrId": 0,
"trafficCrashEntityDetails": [],
"trafficCrashPersonOffenses": [],
"unitNumOfMotorVehicleStrikingNonMotorist": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleMark43Id": 0,
"vehicleUnitNumber": 0
}
],
"trafficCrashRoadways": [
{
"accessControlAttrCode": "string",
"accessControlAttrDisplayValue": "string",
"accessControlAttrId": 0,
"accessControlMmuccCode": "string",
"accessControlMmuccName": "string",
"annualAverageDailyTraffic": 0,
"annualAverageDailyTrafficMotorcycleCount": 0,
"annualAverageDailyTrafficTruckCount": 0,
"annualAverageDailyTrafficYear": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreetNumLanesAtIntersectionAttrCode": "string",
"crossStreetNumLanesAtIntersectionAttrDisplayValue": "string",
"crossStreetNumLanesAtIntersectionAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"gradeDirectionOfSlopeAttrCode": "string",
"gradeDirectionOfSlopeAttrDisplayValue": "string",
"gradeDirectionOfSlopeAttrId": 0,
"gradePercentOfSlope": 0,
"laneWidth": 0,
"leftShoulderWidth": 0,
"longitudinalCenterlineTypeAttrCode": "string",
"longitudinalCenterlineTypeAttrDisplayValue": "string",
"longitudinalCenterlineTypeAttrId": 0,
"longitudinalEdgelineTypeAttrCode": "string",
"longitudinalEdgelineTypeAttrDisplayValue": "string",
"longitudinalEdgelineTypeAttrId": 0,
"longitudinalLaneLineMarkingsAttrCode": "string",
"longitudinalLaneLineMarkingsAttrDisplayValue": "string",
"longitudinalLaneLineMarkingsAttrId": 0,
"mainlineNumLanesAtIntersectionAttrCode": "string",
"mainlineNumLanesAtIntersectionAttrDisplayValue": "string",
"mainlineNumLanesAtIntersectionAttrId": 0,
"mark43Id": 0,
"partOfNationalHighwaySystemAttrCode": "string",
"partOfNationalHighwaySystemAttrDisplayValue": "string",
"partOfNationalHighwaySystemAttrId": 0,
"railwayCrossingId": "string",
"rightShoulderWidth": 0,
"roadwayCurvatureElevation": 0,
"roadwayCurvatureLength": 0,
"roadwayCurvatureRadius": 0,
"roadwayDirectionAttrCode": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayFunctionalClassAttrCode": "string",
"roadwayFunctionalClassAttrDisplayValue": "string",
"roadwayFunctionalClassAttrId": 0,
"roadwayLightingAttrCode": "string",
"roadwayLightingAttrDisplayValue": "string",
"roadwayLightingAttrId": 0,
"roadwayName": "string",
"signedBicycleRouteAttrCode": "string",
"signedBicycleRouteAttrDisplayValue": "string",
"signedBicycleRouteAttrId": 0,
"structureIdentificationNumber": "string",
"totalVolumeOfEnteringVehiclesAadt": 0,
"totalVolumeOfEnteringVehiclesAadtYear": 0,
"typeOfBicycleFacilityAttrCode": "string",
"typeOfBicycleFacilityAttrDisplayValue": "string",
"typeOfBicycleFacilityAttrId": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"widthOfMedian": 0
}
],
"trafficCrashVehicles": [
{
"cargoBodyTypeAttrCode": "string",
"cargoBodyTypeAttrDisplayValue": "string",
"cargoBodyTypeAttrId": 0,
"cargoBodyTypeMmuccCode": "string",
"cargoBodyTypeMmuccName": "string",
"contributingCircumstancesAttrCode": "string",
"contributingCircumstancesAttrDisplayValue": "string",
"contributingCircumstancesAttrId": 0,
"crashRelatedToHovHotLanesAttrCode": "string",
"crashRelatedToHovHotLanesAttrDisplayValue": "string",
"crashRelatedToHovHotLanesAttrId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfInsurancePolicyExpiration": "2019-08-24",
"directionOfTravelBeforeCrashAttrCode": "string",
"directionOfTravelBeforeCrashAttrDisplayValue": "string",
"directionOfTravelBeforeCrashAttrId": 0,
"emergencyMotorVehicleUseAttrCode": "string",
"emergencyMotorVehicleUseAttrDisplayValue": "string",
"emergencyMotorVehicleUseAttrId": 0,
"entityOrderedAttributes": [],
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"hasHmPlacardAttrCode": "string",
"hasHmPlacardAttrDisplayValue": "string",
"hasHmPlacardAttrId": 0,
"hasHmPlacardMmuccCode": "string",
"hasHmPlacardMmuccName": "string",
"hazardousMaterialsClassAttrCode": "string",
"hazardousMaterialsClassAttrDisplayValue": "string",
"hazardousMaterialsClassAttrId": 0,
"hazardousMaterialsClassMmuccCode": "string",
"hazardousMaterialsClassMmuccName": "string",
"hazardousMaterialsId": "string",
"hazardousMaterialsInvolved": true,
"hazardousMaterialsReleasedAttrCode": "string",
"hazardousMaterialsReleasedAttrDisplayValue": "string",
"hazardousMaterialsReleasedAttrId": 0,
"hazardousMaterialsReleasedMmuccCode": "string",
"hazardousMaterialsReleasedMmuccName": "string",
"hitAndRunAttrCode": "string",
"hitAndRunAttrDisplayValue": "string",
"hitAndRunAttrId": 0,
"initialPointOfContactAttrCode": "string",
"initialPointOfContactAttrDisplayValue": "string",
"initialPointOfContactAttrId": 0,
"isOwnedByNonInvolvedPerson": true,
"licensePlateNumFirstTrailer": "string",
"licensePlateNumSecondTrailer": "string",
"licensePlateNumThirdTrailer": "string",
"makeIdFirstTrailer": 0,
"makeIdSecondTrailer": 0,
"makeIdThirdTrailer": 0,
"makeNameFirstTrailer": "string",
"makeNameSecondTrailer": "string",
"makeNameThirdTrailer": "string",
"makeNcicCodeFirstTrailer": "string",
"makeNcicCodeSecondTrailer": "string",
"makeNcicCodeThirdTrailer": "string",
"makeOtherFirstTrailer": "string",
"makeOtherSecondTrailer": "string",
"makeOtherThirdTrailer": "string",
"maneuverAttrCode": "string",
"maneuverAttrDisplayValue": "string",
"maneuverAttrId": 0,
"mark43Id": 0,
"modelIdFirstTrailer": 0,
"modelIdSecondTrailer": 0,
"modelIdThirdTrailer": 0,
"modelNameFirstTrailer": "string",
"modelNameSecondTrailer": "string",
"modelNameThirdTrailer": "string",
"modelNcicCodeFirstTrailer": "string",
"modelNcicCodeSecondTrailer": "string",
"modelNcicCodeThirdTrailer": "string",
"modelOtherFirstTrailer": "string",
"modelOtherSecondTrailer": "string",
"modelOtherThirdTrailer": "string",
"modelYearFirstTrailer": 0,
"modelYearSecondTrailer": 0,
"modelYearThirdTrailer": 0,
"mostHarmfulEventAttrCode": "string",
"mostHarmfulEventAttrDisplayValue": "string",
"mostHarmfulEventAttrId": 0,
"motorCarrierAddress": {},
"motorCarrierIdentificationCarrierTypeAttrCode": "string",
"motorCarrierIdentificationCarrierTypeAttrDisplayValue": "string",
"motorCarrierIdentificationCarrierTypeAttrId": 0,
"motorCarrierIdentificationCarrierTypeMmuccCode": "string",
"motorCarrierIdentificationCarrierTypeMmuccName": "string",
"motorCarrierIdentificationCountryOrStateCode": "string",
"motorCarrierIdentificationName": "string",
"motorCarrierIdentificationNumber": "string",
"motorCarrierIdentificationTypeAttrCode": "string",
"motorCarrierIdentificationTypeAttrDisplayValue": "string",
"motorCarrierIdentificationTypeAttrId": 0,
"motorCarrierIdentificationTypeMmuccCode": "string",
"motorCarrierIdentificationTypeMmuccName": "string",
"motorVehicleAutomatedDrivingSystemsAttrCode": "string",
"motorVehicleAutomatedDrivingSystemsAttrDisplayValue": "string",
"motorVehicleAutomatedDrivingSystemsAttrId": 0,
"numTrailingUnitsAttrCode": "string",
"numTrailingUnitsAttrDisplayValue": "string",
"numTrailingUnitsAttrId": 0,
"postedSpeedLimit": 0,
"qcOwnerId": "string",
"quickCrashId": "string",
"quickCrashUnitTypeAttrCode": "string",
"quickCrashUnitTypeAttrDisplayValue": "string",
"quickCrashUnitTypeAttrId": 0,
"registrationStateOrCountry": "string",
"resultingExtentOfDamageAttrCode": "string",
"resultingExtentOfDamageAttrDisplayValue": "string",
"resultingExtentOfDamageAttrId": 0,
"roadwayGradeAttrCode": "string",
"roadwayGradeAttrDisplayValue": "string",
"roadwayGradeAttrId": 0,
"roadwayHorizontalAlignmentAttrCode": "string",
"roadwayHorizontalAlignmentAttrDisplayValue": "string",
"roadwayHorizontalAlignmentAttrId": 0,
"roadwayName": "string",
"specialFunctionAttrCode": "string",
"specialFunctionAttrDisplayValue": "string",
"specialFunctionAttrId": 0,
"specialFunctionMmuccCode": "string",
"specialFunctionMmuccName": "string",
"totalAuxLanes": 0,
"totalNumOfAxlesFirstTrailer": 0,
"totalNumOfAxlesSecondTrailer": 0,
"totalNumOfAxlesThirdTrailer": 0,
"totalNumOfAxlesTruckTractor": 0,
"totalOccupantsInMotorVehicle": 0,
"totalThroughLanes": 0,
"towedDueToDisablingDamageAttrCode": "string",
"towedDueToDisablingDamageAttrDisplayValue": "string",
"towedDueToDisablingDamageAttrId": 0,
"towedDueToDisablingDamageMmuccCode": "string",
"towedDueToDisablingDamageMmuccName": "string",
"trafficCrashEntityDetails": [],
"trafficwayBarrierTypeAttrCode": "string",
"trafficwayBarrierTypeAttrDisplayValue": "string",
"trafficwayBarrierTypeAttrId": 0,
"trafficwayDividedAttrCode": "string",
"trafficwayDividedAttrDisplayValue": "string",
"trafficwayDividedAttrId": 0,
"trafficwayDividedMmuccCode": "string",
"trafficwayDividedMmuccName": "string",
"trafficwayHovHotLanesAttrCode": "string",
"trafficwayHovHotLanesAttrDisplayValue": "string",
"trafficwayHovHotLanesAttrId": 0,
"trafficwayTravelDirectionsAttrCode": "string",
"trafficwayTravelDirectionsAttrDisplayValue": "string",
"trafficwayTravelDirectionsAttrId": 0,
"trafficwayTravelDirectionsMmuccCode": "string",
"trafficwayTravelDirectionsMmuccName": "string",
"unitNumber": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicle": {},
"vehicleConfigurationAttrCode": "string",
"vehicleConfigurationAttrDisplayValue": "string",
"vehicleConfigurationAttrId": 0,
"vehicleConfigurationMmuccCode": "string",
"vehicleConfigurationMmuccName": "string",
"vehicleConfigurationPermittedAttrCode": "string",
"vehicleConfigurationPermittedAttrDisplayValue": "string",
"vehicleConfigurationPermittedAttrId": 0,
"vehicleSizeAttrCode": "string",
"vehicleSizeAttrDisplayValue": "string",
"vehicleSizeAttrId": 0,
"vehicleSizeMmuccCode": "string",
"vehicleSizeMmuccName": "string",
"vinFirstTrailer": "string",
"vinSecondTrailer": "string",
"vinThirdTrailer": "string"
}
],
"updatedDateUtc": "2019-08-24T14:15:22Z",
"workZoneLawEnforcementPresentAbbreviation": "string",
"workZoneLawEnforcementPresentAttrId": 0,
"workZoneLawEnforcementPresentValue": "string",
"workZoneLocationOfCrashAbbreviation": "string",
"workZoneLocationOfCrashAttrId": 0,
"workZoneLocationOfCrashValue": "string",
"workZoneRelatedAbbreviation": "string",
"workZoneRelatedAttrId": 0,
"workZoneRelatedValue": "string",
"workZoneTypeAbbreviation": "string",
"workZoneTypeAttrId": 0,
"workZoneTypeValue": "string",
"workZoneWorkersPresentAbbreviation": "string",
"workZoneWorkersPresentAttrId": 0,
"workZoneWorkersPresentValue": "string"
}
Model that represents a traffic crash associated with a report
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalIntersectionDetailsRoadwayDirectionAbbreviation | string | false | none | Abbreviation of additional Intersecting Roadway Direction attribute associated with ExternalTrafficCrash |
additionalIntersectionDetailsRoadwayDirectionAttrId | integer(int64) | false | none | Additional Intersecting Roadway Direction attribute ID associated with ExternalTrafficCrash |
additionalIntersectionDetailsRoadwayDirectionDisplayValue | string | false | none | Display value of Additional Intersecting Roadway Direction attribute associated with ExternalTrafficCrash |
additionalIntersectionDetailsRoadwayRouteNumber | string | false | none | Route number of additional intersecting roadway associated with ExternalTrafficCrash |
additionalIntersectionRoadwayName | string | false | none | Name of 2nd additional roadway involved in an intersection associated as with ExternalTrafficCrash |
alcoholInvolvementAbbreviation | string | false | none | Abbreviation of Alcohol Involvement attribute associated with ExternalTrafficCrash |
alcoholInvolvementAttrId | integer(int64) | false | none | Alcohol Involvement attribute ID associated with ExternalTrafficCrash |
alcoholInvolvementValue | string | false | none | Display value of Alcohol Involvement attribute associated with ExternalTrafficCrash |
crashCityOrPlaceGlc | string | false | none | Crash City or Place Geographic Locator Code associated with ExternalTrafficCrash |
crashClassificationCharacteristicsAbbreviation | string | false | none | Abbreviation of Crash Classification Characteristics attribute associated with ExternalTrafficCrash |
crashClassificationCharacteristicsAttrId | integer(int64) | false | none | Crash Classification Characteristics attribute ID associated with ExternalTrafficCrash |
crashClassificationCharacteristicsValue | string | false | none | Display value of Crash Classification Characteristics attribute associated with ExternalTrafficCrash |
crashClassificationOwnershipAbbreviation | string | false | none | Abbreviation of Crash Classification Ownership attribute associated with ExternalTrafficCrash |
crashClassificationOwnershipAttrId | integer(int64) | false | none | Crash Classification Ownership attribute ID associated with ExternalTrafficCrash |
crashClassificationOwnershipValue | string | false | none | Display value of Crash Classification Ownership attribute associated with ExternalTrafficCrash |
crashClassificationSecondaryCrashAbbreviation | string | false | none | Abbreviation of Crash Classification Secondary Crash attribute associated with ExternalTrafficCrash |
crashClassificationSecondaryCrashAttrId | integer(int64) | false | none | Crash Classification Secondary Crash attribute ID associated with ExternalTrafficCrash |
crashClassificationSecondaryCrashValue | string | false | none | Display value of Crash Classification Secondary Crash attribute associated with ExternalTrafficCrash |
crashCountyGlc | string | false | none | Crash County Geographic Locator Code associated with ExternalTrafficCrash |
crashDateAndTimeUtc | string(date-time) | false | none | Date/time crash happened in UTC from ExternalTrafficCrash |
crashIdentifier | string | false | none | Crash identifier associated to ExternalTrafficCrash |
crashSeverityAbbreviation | string | false | none | Abbreviation of Crash Severity attribute associated with ExternalTrafficCrash |
crashSeverityAttrId | integer(int64) | false | none | Crash Severity attribute ID associated with ExternalTrafficCrash |
crashSeverityValue | string | false | none | Display value of Crash Severity attribute associated with ExternalTrafficCrash |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
dayOfWeekAbbreviation | string | false | none | Abbreviation of Day of Week attribute associated with ExternalTrafficCrash |
dayOfWeekAttrId | integer(int64) | false | none | Day of Week attribute ID associated with ExternalTrafficCrash |
dayOfWeekValue | string | false | none | Display value of Day of Week attribute associated with ExternalTrafficCrash |
drugInvolvementAbbreviation | string | false | none | Abbreviation of Drug Involvement attribute associated with ExternalTrafficCrash |
drugInvolvementAttrId | integer(int64) | false | none | Drug Involvement attribute ID associated with ExternalTrafficCrash |
drugInvolvementValue | string | false | none | Display value of Drug Involvement attribute associated with ExternalTrafficCrash |
entityOrderedAttributes | [ExternalEntityOrderedAttribute] | false | none | Entity Ordered Attributes related to the traffic crash |
exitNumberDirectionAbbreviation | string | false | none | Quick crash direction from exit, display abbreviation/code associated with ExternalTrafficCrash |
exitNumberDirectionAttrId | integer(int64) | false | none | Quick crash direction from exit, attribute ID associated with ExternalTrafficCrash |
exitNumberDirectionDisplayValue | string | false | none | Quick crash direction from exit, display value associated with ExternalTrafficCrash |
exitNumberDistance | number(double) | false | none | Quick crash distance from exit number associated with ExternalTrafficCrash |
exportFileId | integer(int64) | false | none | QuickCrash generated PDF File Id associated with ExternalTrafficCrash |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
firstHarmfulEventAbbreviation | string | false | none | Abbreviation of First Harmful Event attribute associated with ExternalTrafficCrash |
firstHarmfulEventAttrId | integer(int64) | false | none | First Harmful Event attribute ID associated with ExternalTrafficCrash |
firstHarmfulEventValue | string | false | none | Display value of First Harmful Event attribute associated with ExternalTrafficCrash |
hasPropertyDamage | boolean | false | none | Whether or not Property Damage occurred in ExternalTrafficCrash |
intersectionDetailsRoadwayDirectionAbbreviation | string | false | none | Abbreviation of Intersecting Roadway Direction attribute associated with ExternalTrafficCrash |
intersectionDetailsRoadwayDirectionAttrId | integer(int64) | false | none | Intersecting Roadway Direction attribute ID associated with ExternalTrafficCrash |
intersectionDetailsRoadwayDirectionDisplayValue | string | false | none | Display value of Intersecting Roadway Direction attribute associated with ExternalTrafficCrash |
intersectionDetailsRoadwayName | string | false | none | Name of 2nd roadway involved in an intersection associated as with ExternalTrafficCrash |
intersectionDetailsRoadwayRouteNumber | string | false | none | Route number of intersecting roadway associated with ExternalTrafficCrash |
intersectionNumApproachesAbbreviation | string | false | none | Abbreviation of Intersection Number Approaches attribute associated with ExternalTrafficCrash |
intersectionNumApproachesAttrId | integer(int64) | false | none | Intersection Number Approaches attribute ID associated with ExternalTrafficCrash |
intersectionNumApproachesValue | string | false | none | Display value of Intersection Number Approaches attribute associated with ExternalTrafficCrash |
intersectionOverallGeometryAbbreviation | string | false | none | Abbreviation of Intersection Overall Geometry attribute associated with ExternalTrafficCrash |
intersectionOverallGeometryAttrId | integer(int64) | false | none | Intersection Overall Geometry attribute ID associated with ExternalTrafficCrash |
intersectionOverallGeometryValue | string | false | none | Display value of Intersection Overall Geometry attribute associated with ExternalTrafficCrash |
intersectionOverallTrafficControlDeviceAbbreviation | string | false | none | Abbreviation of Intersection Overall Traffic Control Device attribute associated with ExternalTrafficCrash |
intersectionOverallTrafficControlDeviceAttrId | integer(int64) | false | none | Intersection Overall Traffic Control Device attribute ID associated with ExternalTrafficCrash |
intersectionOverallTrafficControlDeviceValue | string | false | none | Display value of Intersection Overall Traffic Control Device attribute associated with ExternalTrafficCrash |
involvedOrganizations | [ExternalOrganization] | false | none | Organizations involved in the traffic crash |
involvedPersons | [ExternalPerson] | false | none | Non-subject persons involved in the traffic crash |
involvedVehicles | [ExternalVehicle] | false | none | Vehicles involved in traffic crash |
judicialDistrict | string | false | none | Judicial District assocatied to the ExternalTrafficCrash |
junctionSpecificLocationAbbreviation | string | false | none | Abbreviation of Junction Specific Location attribute associated with ExternalTrafficCrash |
junctionSpecificLocationAttrId | integer(int64) | false | none | Junction Specific Location attribute ID associated with ExternalTrafficCrash |
junctionSpecificLocationValue | string | false | none | Display value of Junction Specific Location attribute associated with ExternalTrafficCrash |
junctionWithinInterchangeAreaAbbreviation | string | false | none | Abbreviation of Junction Within Interchange Area attribute associated with ExternalTrafficCrash |
junctionWithinInterchangeAreaAttrId | integer(int64) | false | none | Junction Within Interchange Area attribute ID associated with ExternalTrafficCrash |
junctionWithinInterchangeAreaValue | string | false | none | Display value of Junction Within Interchange Area attribute associated with ExternalTrafficCrash |
landmarkDistance | number(double) | false | none | Distance from Landmark in ExternalTrafficCrash |
landmarkDistanceDirectionAbbreviation | string | false | none | Abbreviation of Landmark Direction attribute associated with ExternalTrafficCrash |
landmarkDistanceDirectionAttrId | integer(int64) | false | none | Landmark Direction attribute ID associated with ExternalTrafficCrash |
landmarkDistanceDirectionDisplayValue | string | false | none | Display value of Landmark Direction attribute associated with ExternalTrafficCrash |
landmarkDistanceUnitsAbbreviation | string | false | none | Abbreviation of Landmark Distance Units attribute associated with ExternalTrafficCrash |
landmarkDistanceUnitsAttrId | integer(int64) | false | none | Landmark Distance Units attribute ID associated with ExternalTrafficCrash |
landmarkDistanceUnitsDisplayValue | string | false | none | Display value of Landmark Distance Units attribute associated with ExternalTrafficCrash |
landmarkIntersectingRoadwayDirectionAbbreviation | string | false | none | Abbreviation of Landmark Intersection Roadway Direction attribute associated with ExternalTrafficCrash |
landmarkIntersectingRoadwayDirectionAttrId | integer(int64) | false | none | Landmark Intersection Roadway Direction attribute ID associated with ExternalTrafficCrash |
landmarkIntersectingRoadwayDirectionDisplayValue | string | false | none | Display value of Landmark Intersection Roadway Direction attribute associated with ExternalTrafficCrash |
landmarkIntersectingRoadwayDistance | number(double) | false | none | Distance of landmark intersecting roadaway distance associated with ExternalTrafficCrash |
landmarkIntersectingRoadwayName | string | false | none | Landmark Intersecting Roadway name associated with ExternalTrafficCrash |
landmarkIntersectingRoadwayRouteNumber | string | false | none | Landmark Intersecting Roadway Number associated with ExternalTrafficCrash |
landmarkName | string | false | none | Landmark name associated with ExternalTrafficCrash |
lightConditionAbbreviation | string | false | none | Abbreviation of Light Condition attribute associated with ExternalTrafficCrash |
lightConditionAttrId | integer(int64) | false | none | Light Condition attribute ID associated with ExternalTrafficCrash |
lightConditionValue | string | false | none | Display value of Light Condition attribute associated with ExternalTrafficCrash |
lightConditionValueMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type light condition |
lightConditionValueMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Light Condition |
locationOfFirstHarmfulEventAbbreviation | string | false | none | Abbreviation of Location of First Harmful Event attribute associated with ExternalTrafficCrash |
locationOfFirstHarmfulEventAttrId | integer(int64) | false | none | Location of First Harmful Event attribute ID associated with ExternalTrafficCrash |
locationOfFirstHarmfulEventValue | string | false | none | Display value of Location of First Harmful Event attribute associated with ExternalTrafficCrash |
mannerOfCrashAbbreviation | string | false | none | Abbreviation of Manner of Crash attribute associated with ExternalTrafficCrash |
mannerOfCrashAttrId | integer(int64) | false | none | Manner of Crash attribute ID associated with ExternalTrafficCrash |
mannerOfCrashValue | string | false | none | Display value of Manner of Crash attribute associated with ExternalTrafficCrash |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
milepost | string | false | none | Milepost associated with ExternalTrafficCrash |
milepostDirectionAbbreviation | string | false | none | Abbreviation of Milepost Direction attribute associated with ExternalTrafficCrash |
milepostDirectionAttrId | integer(int64) | false | none | Milepost Direction attribute ID associated with ExternalTrafficCrash |
milepostDirectionDisplayValue | string | false | none | Display value of Milepost Direction attribute associated with ExternalTrafficCrash |
milepostDistance | number(double) | false | none | Distance from Milepost in ExternalTrafficCrash |
milepostDistanceUnitsAbbreviation | string | false | none | Abbreviation of Milepost Distance Units attribute associated with ExternalTrafficCrash |
milepostDistanceUnitsAttrId | integer(int64) | false | none | Milepost Distance Units attribute ID associated with ExternalTrafficCrash |
milepostDistanceUnitsDisplayValue | string | false | none | Display value of Milepost Distance Units attribute associated with ExternalTrafficCrash |
milepostExitNumber | string | false | none | milepostExitNumber associated with ExternalTrafficCrash |
milepostRoadwayDirectionAbbreviation | string | false | none | Abbreviation of Milepost Roadway Direction attribute associated with ExternalTrafficCrash |
milepostRoadwayDirectionAttrId | integer(int64) | false | none | Milepost Roadway Direction attribute ID associated with ExternalTrafficCrash |
milepostRoadwayDirectionDisplayValue | string | false | none | Display value of Milepost Roadway Direction attribute associated with ExternalTrafficCrash |
milepostRouteNumber | string | false | none | milepostRouteNumber associated with ExternalTrafficCrash |
numFatalities | integer(int32) | false | none | Number of Fatalities Involved in ExternalTrafficCrash |
numMotorists | integer(int32) | false | none | Number of Motorists involved in ExternalTrafficCrash |
numNonFatallyInjuredPersons | integer(int32) | false | none | Number of Non Fatally Injured Person Involved in ExternalTrafficCrash |
numNonMotorists | integer(int32) | false | none | Number of Non Motorists involved in ExternalTrafficCrash |
numVehicles | integer(int32) | false | none | Number of Vehicles involved in ExternalTrafficCrash |
postedSpeedLimit | integer(int32) | false | none | Posted Speed Limit involved in ExternalTrafficCrash |
reportingDistrict | string | false | none | Reporting District assocatied to the ExternalTrafficCrash |
reportingLawEnforcementAgencyIdentifier | string | false | none | NCIC Originating Agency Identifier associated with ExternalTrafficCrash |
roadwayClearanceDateAndTimeUtc | string(date-time) | false | none | Date/time roadway was cleared in UTC |
roadwayDirectionAbbreviation | string | false | none | Abbreviation of Roadway Direction attribute associated with ExternalTrafficCrash |
roadwayDirectionAttrId | integer(int64) | false | none | Roadway Direction attribute ID associated with ExternalTrafficCrash |
roadwayDirectionDisplayValue | string | false | none | Display value of Roadway Direction attribute associated with ExternalTrafficCrash |
roadwayName | string | false | none | Name of roadway involved in an intersection associated as with ExternalTrafficCrash |
roadwaySurfaceConditionAbbreviation | string | false | none | Abbreviation of Roadway Surface Condition attribute associated with ExternalTrafficCrash |
roadwaySurfaceConditionAttrId | integer(int64) | false | none | Roadway Surface Condition attribute ID associated with ExternalTrafficCrash |
roadwaySurfaceConditionMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type roadway surface condition |
roadwaySurfaceConditionMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Roadway Surface Condition |
roadwaySurfaceConditionValue | string | false | none | Display value of Roadway Surface Condition attribute associated with ExternalTrafficCrash |
routeNumber | string | false | none | Route number of roadway associated with ExternalTrafficCrash |
schoolBusRelatedAbbreviation | string | false | none | Abbreviation of School Bus Related attribute associated with ExternalTrafficCrash |
schoolBusRelatedAttrId | integer(int64) | false | none | School Bus Related attribute ID associated with ExternalTrafficCrash |
schoolBusRelatedValue | string | false | none | Display value of School Bus Related attribute associated with ExternalTrafficCrash |
sourceOfInformationAbbreviation | string | false | none | Abbreviation of Source of Information attribute associated with ExternalTrafficCrash |
sourceOfInformationAttrId | integer(int64) | false | none | Source of Information attribute ID associated with ExternalTrafficCrash |
sourceOfInformationValue | string | false | none | Display value of Source of Information attribute associated with ExternalTrafficCrash |
subjectsInTrafficCrash | [ExternalPerson] | false | none | Subjects involved in traffic crash |
trafficCrashAttributes | [ExternalTrafficCrashAttribute] | false | none | Attributes related to the traffic crash |
trafficCrashEntityDetails | [ExternalTrafficCrashEntityDetail] | false | none | Entity Details related to the traffic crash |
trafficCrashLocation | ExternalLocation | false | none | Location where traffic crash occurred |
trafficCrashPeople | [ExternalTrafficCrashPerson] | false | none | People involved in traffic crash for customers using Quick Crash |
trafficCrashRoadways | [ExternalTrafficCrashRoadway] | false | none | People involved in traffic crash for customers using Quick Crash |
trafficCrashVehicles | [ExternalTrafficCrashVehicle] | false | none | Vehicles involved in traffic crash for customers using Quick Crash |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
workZoneLawEnforcementPresentAbbreviation | string | false | none | Abbreviation of Work Zone Law Enforcement Present attribute associated with ExternalTrafficCrash |
workZoneLawEnforcementPresentAttrId | integer(int64) | false | none | Work Zone Law Enforcement Present attribute ID associated with ExternalTrafficCrash |
workZoneLawEnforcementPresentValue | string | false | none | Display value of Work Zone Law Enforcement Present attribute associated with ExternalTrafficCrash |
workZoneLocationOfCrashAbbreviation | string | false | none | Abbreviation of Work Zone Location attribute associated with ExternalTrafficCrash |
workZoneLocationOfCrashAttrId | integer(int64) | false | none | Work Zone Location attribute ID associated with ExternalTrafficCrash |
workZoneLocationOfCrashValue | string | false | none | Display value of Work Zone Location attribute associated with ExternalTrafficCrash |
workZoneRelatedAbbreviation | string | false | none | Abbreviation of Work Zone Related attribute associated with ExternalTrafficCrash |
workZoneRelatedAttrId | integer(int64) | false | none | Work Zone Related attribute ID associated with ExternalTrafficCrash |
workZoneRelatedValue | string | false | none | Display value of Work Zone Related attribute associated with ExternalTrafficCrash |
workZoneTypeAbbreviation | string | false | none | Abbreviation of Work Zone Type attribute associated with ExternalTrafficCrash |
workZoneTypeAttrId | integer(int64) | false | none | Work Zone Type attribute ID associated with ExternalTrafficCrash |
workZoneTypeValue | string | false | none | Display value of Work Zone Type attribute associated with ExternalTrafficCrash |
workZoneWorkersPresentAbbreviation | string | false | none | Abbreviation of Work Zone Workers Present attribute associated with ExternalTrafficCrash |
workZoneWorkersPresentAttrId | integer(int64) | false | none | Work Zone Workers Present attribute ID associated with ExternalTrafficCrash |
workZoneWorkersPresentValue | string | false | none | Display value of Work Zone Workers Present attribute associated with ExternalTrafficCrash |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTrafficCrashAttribute
{
"attributeType": "CRIMINAL_ACTIVITY_CATEGORY",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"mmuccCode": "string",
"mmuccName": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
attributeType | string | false | none | Attribute Type associated with ExternalTrafficCrash, supported attribute type: WEATHER, QC_ROADWAY_CONTRIBUTING_CIRCUMSTANCES, QC_TRAFFIC_CONTROLS_TYPE, QC_TRAFFIC_CONTROLS_INOPERATIVE_OR_MISSING |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
description | string | false | none | Description of other attribute associated with ExternalTrafficCrash |
displayAbbreviation | string | false | none | Abbreviation of attribute associated with ExternalTrafficCrash |
displayValue | string | false | none | Display value of attribute associated with ExternalTrafficCrash |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
mmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute |
mmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
attributeType | CRIMINAL_ACTIVITY_CATEGORY |
attributeType | ANIMAL_CRUELTY_CATEGORY |
attributeType | DRUG_MEASUREMENT |
attributeType | TYPE_OF_MARIJUANA |
attributeType | ETHNICITY |
attributeType | BIAS_MOTIVATION |
attributeType | BIAS_MOTIVATION_CATEGORY |
attributeType | INJURY_CATEGORY |
attributeType | JUSTIFIABLE_HOMICIDE_CIRCUMSTANCE |
attributeType | LEOKA_ACTIVITY_CATEGORY |
attributeType | LEOKA_ASSIGNMENT_CATEGORY |
attributeType | LOCATION_CATEGORY |
attributeType | WEATHER |
attributeType | ITEM_CATEGORY |
attributeType | PROPERTY_LOSS |
attributeType | BUILD |
attributeType | SEX |
attributeType | HAIR_COLOR |
attributeType | ITEM_TYPE |
attributeType | OFFENSE_STATUS |
attributeType | JUVENILE_DISPOSITION |
attributeType | RACE |
attributeType | EYE_COLOR |
attributeType | AGGRAVATED_ASSAULT_CIRCUMSTANCE |
attributeType | HOMICIDE_CIRCUMSTANCE |
attributeType | NEGLIGENT_MANSLAUGHTER_CIRCUMSTANCE |
attributeType | REASON_FOR_POLICE_CUSTODY_OF_PROPERTY |
attributeType | REASON_FOR_POLICE_CUSTODY_GLOBAL |
attributeType | ITEM_COLOR |
attributeType | VEHICLE_MAKE |
attributeType | CITIZENSHIP |
attributeType | MARITAL_STATUS |
attributeType | DL_TYPE |
attributeType | STATE |
attributeType | CAUTION |
attributeType | MOOD |
attributeType | MEDICAL_TREATMENT_RECEIVED |
attributeType | INFORMATION_PROVIDED_TO_VICTIM |
attributeType | BODY_PART |
attributeType | HAIR_LENGTH |
attributeType | HAIR_STYLE |
attributeType | FACIAL_HAIR_TYPE |
attributeType | SKIN_TONE |
attributeType | ARREST_DISPOSITION |
attributeType | RANK |
attributeType | DIVISION |
attributeType | PERSONNEL_UNIT |
attributeType | WEAPON_OR_FORCE_INVOLVED |
attributeType | BUREAU |
attributeType | FIELD_CONTACT_REASON_FOR_STOP |
attributeType | FIELD_CONTACT_DISPOSITION |
attributeType | SECURITY_SYSTEM |
attributeType | IDENTIFYING_MARK_TYPE |
attributeType | FIREARM_MAKE |
attributeType | VEHICLE_MODEL |
attributeType | VEHICLE_BODY_STYLE |
attributeType | VISION |
attributeType | LICENSE_STATUS |
attributeType | CLOTHING_TYPE |
attributeType | INDUSTRY |
attributeType | ORGANIZATION_TYPE |
attributeType | FIELD_CONTACT_TYPE_GLOBAL |
attributeType | FIELD_CONTACT_TYPE |
attributeType | FIREARM_STOCK |
attributeType | FIREARM_GRIP |
attributeType | BRANCH |
attributeType | COURT_TYPE_GLOBAL |
attributeType | MODUS_OPERANDI_GROUP |
attributeType | MODUS_OPERANDI |
attributeType | PHYSICAL_CHARACTERISTIC_GROUP |
attributeType | PHYSICAL_CHARACTERISTIC |
attributeType | BEHAVIORAL_CHARACTERISTIC_GROUP |
attributeType | BEHAVIORAL_CHARACTERISTIC |
attributeType | CASE_STATUS |
attributeType | OFFENSE_CASE_STATUS |
attributeType | CASE_STATUS_GLOBAL |
attributeType | EXTERNAL_STATUS |
attributeType | OFFICER_ASSIST_TYPE |
attributeType | MISSING_PERSON_STATUS |
attributeType | MISSING_PERSON_TYPE |
attributeType | MISSING_PERSON_ADDITIONAL_INFO |
attributeType | CASE_ROLE_GLOBAL |
attributeType | DRIVER_LICENSE_ENDORSEMENT |
attributeType | VEHICLE_DAMAGE_AREA |
attributeType | MEDICAL_TRANSPORT_TYPE |
attributeType | LOCATION_PROPERTY_TYPE |
attributeType | PERSON_SKILL |
attributeType | LANGUAGE |
attributeType | INCIDENT_STATISTIC |
attributeType | OFFENSE_STATISTIC |
attributeType | PROPERTY_STATUS_GLOBAL |
attributeType | ARREST_DISPOSITION_GLOBAL |
attributeType | ARRESTEE_WAS_ARMED_WITH |
attributeType | GANG_INFORMATION |
attributeType | ARRESTING_AGENCY |
attributeType | INJURY_FATAL_GLOBAL |
attributeType | ARRESTING_AGENCY_GLOBAL |
attributeType | OFFENSE_CODE_STATUTE_CODE_SET |
attributeType | SUBDIVISION_DEPTH_1 |
attributeType | SUBDIVISION_DEPTH_2 |
attributeType | SUBDIVISION_DEPTH_3 |
attributeType | SUBDIVISION_DEPTH_4 |
attributeType | SUBDIVISION_DEPTH_5 |
attributeType | SUBDIVISION_FIRE_DEPTH_1 |
attributeType | SUBDIVISION_FIRE_DEPTH_2 |
attributeType | SUBDIVISION_FIRE_DEPTH_3 |
attributeType | SUBDIVISION_FIRE_DEPTH_4 |
attributeType | SUBDIVISION_FIRE_DEPTH_5 |
attributeType | SUBDIVISION_MEDICAL_DEPTH_1 |
attributeType | SUBDIVISION_MEDICAL_DEPTH_2 |
attributeType | SUBDIVISION_MEDICAL_DEPTH_3 |
attributeType | SUBDIVISION_MEDICAL_DEPTH_4 |
attributeType | SUBDIVISION_MEDICAL_DEPTH_5 |
attributeType | EVENT_STATISTICS |
attributeType | MEDICAL_STATISTICS |
attributeType | ADVISED_RIGHTS_RESPONSE |
attributeType | ARREST_TACTICS |
attributeType | ARREST_STATISTICS |
attributeType | WARRANT_CHECK_TYPES |
attributeType | REPORT_NOTIFICATION_TYPE |
attributeType | LAB_TEST_STATUS |
attributeType | PROOF_OF_OWNERSHIP_GLOBAL |
attributeType | PROOF_OF_OWNERSHIP |
attributeType | LEGACY_CHARGE_SOURCE |
attributeType | USE_OF_FORCE_STATISTICS |
attributeType | USE_OF_FORCE_SUBJECT_DETAILS |
attributeType | USE_OF_FORCE_SUBJECT_ACTIONS |
attributeType | USE_OF_FORCE_OFFICER_FORCE_TOWARDS_SUBJECT |
attributeType | USE_OF_FORCE_REASON |
attributeType | USE_OF_FORCE_SUBJECT_DISPOSITION |
attributeType | OFFENSE_CLASSIFICATION |
attributeType | FIELD_CONTACT_SUBJECT_TYPE |
attributeType | COMMUNITY_INFORMATION_STATISTICS |
attributeType | COMMUNITY_INFORMATION_OBTAINED_FROM |
attributeType | CAD_EVENT_TYPE |
attributeType | CAD_SECONDARY_EVENT_TYPE |
attributeType | CUSTOM_REPORT_CLASSIFICATION |
attributeType | ORGANIZATION_TYPE_GLOBAL |
attributeType | BULLETIN_TYPE |
attributeType | ARREST_TYPE_GLOBAL |
attributeType | ARREST_TYPE |
attributeType | BULLETIN_TYPE_GLOBAL |
attributeType | COURT_TYPE |
attributeType | USER_SKILL |
attributeType | USER_TRAINING |
attributeType | CFS_PRIORITY_GLOBAL |
attributeType | CFS_PRIORITY |
attributeType | CAD_CALL_INPUT |
attributeType | CALL_TAKER_STATION |
attributeType | PHONE_MAKE |
attributeType | PHONE_MODEL |
attributeType | COMMUNITY_INFORMATION_DISPOSITION |
attributeType | EQUIPMENT_TYPE |
attributeType | MAX_TIME_SPENT_IN_STATUS |
attributeType | COMMUNITY_INFORMATION_REASON_FOR_REPORT |
attributeType | DIRECTED_PATROL |
attributeType | VIRTUAL_PATROL |
attributeType | ADMIN_PATROL |
attributeType | SPECIAL_ASSIGNMENT |
attributeType | COURT_CASE_PLACE_DETAINED_AT |
attributeType | EVENT_CLEARING_DISPOSITION |
attributeType | TOW_VEHICLE_TOW_COMPANY |
attributeType | AGENCY_TYPE_GLOBAL |
attributeType | AGENCY_TYPE |
attributeType | EDUCATION_LEVEL |
attributeType | EVIDENCE_FACILITY_GLOBAL |
attributeType | EVIDENCE_FACILITY |
attributeType | TASK_STATUS_GLOBAL |
attributeType | TASK_STATUS |
attributeType | EVENT_ORIGIN_GLOBAL |
attributeType | EVENT_ORIGIN |
attributeType | EVENT_STATUS_GLOBAL |
attributeType | EVENT_STATUS |
attributeType | TAG_NUMBER |
attributeType | UNIT_TYPE |
attributeType | RISK_LEVEL_GLOBAL |
attributeType | RISK_LEVEL |
attributeType | EMPLOYEE_TYPE |
attributeType | USE_OF_FORCE_SUBJECT_PERCEIVED_ARMED_WITH |
attributeType | USE_OF_FORCE_SUBJECT_CONFIRMED_ARMED_WITH |
attributeType | USE_OF_FORCE_SUBJECT_INJURY_SEVERITY |
attributeType | USE_OF_FORCE_OFFICER_INJURY_SEVERITY |
attributeType | USE_OF_FORCE_SUBJECT_INJURY_TYPE |
attributeType | USE_OF_FORCE_OFFICER_INJURY_TYPE |
attributeType | USE_OF_FORCE_OFFICER_FORCE_TOWARDS_SUBJECT_LOCATION |
attributeType | USE_OF_FORCE_SUBJECT_FORCE_TOWARDS_OFFICER_LOCATION |
attributeType | USE_OF_FORCE_MEDICAL_AID_RECEIVED |
attributeType | USE_OF_FORCE_SUBJECT_FORCE_TOWARDS_OFFICER |
attributeType | OFFICER_DRESS |
attributeType | TOW_VEHICLE_STATUS |
attributeType | TOW_VEHICLE_REASON_FOR_TOW_GLOBAL |
attributeType | TOW_VEHICLE_REASON_FOR_TOW |
attributeType | TOW_VEHICLE_RELEASE_TYPE |
attributeType | EVENT_COMMUNICATION_TYPE_GLOBAL |
attributeType | EVENT_COMMUNICATION_TYPE |
attributeType | NAME_IDENTIFIER_TYPE |
attributeType | NAME_IDENTIFIER_TYPE_GLOBAL |
attributeType | WARRANT_TYPE |
attributeType | WARRANT_TYPE_GLOBAL |
attributeType | WARRANT_STATUS |
attributeType | WARRANT_STATUS_GLOBAL |
attributeType | WARRANT_STATISTIC |
attributeType | LOCATION_CAUTION_PRIORITY |
attributeType | LOCATION_CAUTION_CATEGORY |
attributeType | LOCATION_CAUTION |
attributeType | ITEM_IDENTIFIER_TYPE |
attributeType | ITEM_IDENTIFIER_TYPE_GLOBAL |
attributeType | MILITARY_BRANCH |
attributeType | RESIDENT_OF_JURISDICTION |
attributeType | EXPORT_RELEASED_TO |
attributeType | CITATION_TYPE |
attributeType | CITATION_STATISTICS |
attributeType | ROLODEX_PROFILE_TYPE |
attributeType | ROUTING_LABEL |
attributeType | COPLOGIC_CUSTOM_FIELD_MAPPING |
attributeType | SUPPLEMENT_TYPE |
attributeType | REASON_FOR_ASSOCIATION |
attributeType | EXTERNAL_RECORD_SOURCE |
attributeType | RADIO_CHANNEL |
attributeType | BEHAVIORAL_CRISIS_DISPOSITION |
attributeType | DISPATCH_GROUP |
attributeType | SERVICE_ROTATION_ACTION_TYPE_GLOBAL |
attributeType | SERVICE_ROTATION_ADMIN_ACTION_TYPE_GLOBAL |
attributeType | NAME_ITEM_ASSOCIATION_GLOBAL |
attributeType | NAME_ITEM_ASSOCIATION |
attributeType | GANG_CRITERIA |
attributeType | GANG_NAME |
attributeType | GANG_SUBGROUP |
attributeType | WARRANT_ACTIVITY |
attributeType | WARRANT_ACTIVITY_GLOBAL |
attributeType | SUBJECT_DATA_RACE |
attributeType | SUBJECT_DATA_GENDER |
attributeType | SUBJECT_DATA_DISABILITY |
attributeType | INTERNAL_WARRANT_STATUS |
attributeType | WARRANT_ENTRY_LEVEL_CODE |
attributeType | SUBJECT_DATA_REASON_FOR_STOP |
attributeType | SUBJECT_DATA_RESULT_OF_STOP |
attributeType | EXHIBITING_BEHAVIOR |
attributeType | BEHAVIORAL_CRISIS_TECHNIQUES_USED |
attributeType | WEAPON_INVOLVED |
attributeType | MEDICAL_FACILITY |
attributeType | VEHICLE_RECOVERY_TYPE |
attributeType | DEX_WARRANT_TYPE |
attributeType | ISSUING_AGENCY_NAME |
attributeType | WARRANT_FELONY_EXTRADITION |
attributeType | WARRANT_MISDEMEANOR_EXTRADITION |
attributeType | PERSON_LABEL_PRIORITY |
attributeType | PERSON_LABEL_CATEGORY |
attributeType | PERSON_LABEL_ATTRIBUTES |
attributeType | ABUSE_TYPE |
attributeType | REASON_FOR_NO_ARREST |
attributeType | POLICE_ACTION |
attributeType | PREVIOUS_COMPLAINTS |
attributeType | PRIOR_COURT_ORDERS |
attributeType | HOW_AGGRESSOR_WAS_IDENTIFIED |
attributeType | SUBSTANCE_ABUSE |
attributeType | ALARM_LEVEL |
attributeType | RESULT_OF_STOP_GLOBAL |
attributeType | RESULT_OF_STOP |
attributeType | ARREST_BASED_ON |
attributeType | REASON_FOR_SEARCH |
attributeType | WAS_SUBJECT_SCREENED |
attributeType | PROTECTION_ORDER_TYPE |
attributeType | PROTECTION_ORDER_STATUS |
attributeType | MISSING_PERSON_CRITICALITY |
attributeType | INVESTIGATION_TYPE |
attributeType | INVESTIGATION_SEVERITY |
attributeType | PROSECUTOR_TYPE |
attributeType | OFFENSE_CODE_TYPE |
attributeType | OFFENSE_CODE_LEVEL |
attributeType | HATE_CRIME_OFFENSIVE_ACT |
attributeType | VICTIM_BY_ASSOCIATION_TYPE |
attributeType | VICTIM_BY_ASSOCIATION_RELATION |
attributeType | POLICE_ACTION_GLOBAL |
attributeType | QC_CRASH_CLASSIFICATION_OWNERSHIP |
attributeType | QC_CRASH_CLASSIFICATION_CHARACTERISTICS |
attributeType | QC_CRASH_CLASSIFICATION_SECONDARY_CRASH |
attributeType | QC_FIRST_HARMFUL_EVENT |
attributeType | QC_LOCATION_OF_FIRST_HARMFUL_EVENT |
attributeType | QC_MANNER_OF_CRASH |
attributeType | QC_SOURCE_OF_INFORMATION |
attributeType | QC_LIGHT_CONDITION |
attributeType | QC_ROADWAY_SURFACE_CONDITION |
attributeType | QC_ROADWAY_CONTRIBUTING_CIRCUMSTANCES |
attributeType | QC_JUNCTION_WITHIN_INTERCHANGE_AREA |
attributeType | QC_JUNCTION_SPECIFIC_LOCATION |
attributeType | QC_INTERSECTION_NUM_APPROACHES |
attributeType | QC_INTERSECTION_OVERALL_GEOMETRY |
attributeType | QC_INTERSECTION_OVERALL_TRAFFIC_CONTROL_DEVICE |
attributeType | QC_SCHOOL_BUS_RELATED |
attributeType | QC_WORK_ZONE_RELATED |
attributeType | QC_WORK_ZONE_LOCATION_OF_CRASH |
attributeType | QC_WORK_ZONE_TYPE |
attributeType | QC_WORK_ZONE_WORKERS_PRESENT |
attributeType | QC_WORK_ZONE_LAW_ENFORCEMENT_PRESENT |
attributeType | QC_CRASH_SEVERITY |
attributeType | QC_ALCOHOL_INVOLVEMENT |
attributeType | QC_DRUG_INVOLVEMENT |
attributeType | QC_DAY_OF_WEEK |
attributeType | QC_UNIT_TYPE |
attributeType | QC_BODY_TYPE_CATEGORY |
attributeType | QC_NUM_TRAILING_UNITS |
attributeType | QC_VEHICLE_SIZE |
attributeType | QC_HAS_HM_PLACARD |
attributeType | QC_SPECIAL_FUNCTION |
attributeType | QC_EMERGENCY_MOTOR_VEHICLE_USE |
attributeType | QC_DIRECTION_OF_TRAVEL_BEFORE_CRASH |
attributeType | QC_TRAFFICWAY_TRAVEL_DIRECTIONS |
attributeType | QC_TRAFFICWAY_DIVIDED |
attributeType | QC_TRAFFICWAY_BARRIER_TYPE |
attributeType | QC_TRAFFICWAY_HOV_HOT_LANES |
attributeType | QC_CRASH_RELATED_TO_HOV_HOT_LANES |
attributeType | QC_ROADWAY_HORIZONTAL_ALIGNMENT |
attributeType | QC_ROADWAY_GRADE |
attributeType | QC_TRAFFIC_CONTROLS_TYPE |
attributeType | QC_TRAFFIC_CONTROLS_INOPERATIVE_OR_MISSING |
attributeType | QC_MANEUVER |
attributeType | QC_INITIAL_POINT_OF_CONTACT |
attributeType | QC_LOCATION_OF_DAMAGED_AREAS |
attributeType | QC_RESULTING_EXTENT_OF_DAMAGE |
attributeType | QC_SEQUENCE_OF_EVENTS |
attributeType | QC_MOST_HARMFUL_EVENT |
attributeType | QC_HIT_AND_RUN |
attributeType | QC_TOWED_DUE_TO_DISABLING_DAMAGE |
attributeType | QC_VEHICLE_CONTRIBUTING_CIRCUMSTANCES |
attributeType | QC_PERSON_TYPE |
attributeType | QC_INCIDENT_RESPONDER |
attributeType | QC_INJURY_STATUS |
attributeType | QC_SEATING_POSITION |
attributeType | QC_RESTRAINTS_AND_HELMETS |
attributeType | QC_RESTRAINT_SYSTEMS_IMPROPER_USE |
attributeType | QC_AIR_BAG_DEPLOYED |
attributeType | QC_EJECTION |
attributeType | QC_DRIVER_LICENSE_JURISDICTION |
attributeType | QC_DRIVER_LICENSE_CLASS |
attributeType | QC_DRIVER_LICENSE_CDL |
attributeType | QC_SPEEDING_RELATED |
attributeType | QC_DRIVER_ACTIONS |
attributeType | QC_DRIVER_LICENSE_RESTRICTIONS |
attributeType | QC_ALCOHOL_INTERLOCK_PRESENT |
attributeType | QC_DISTRACTED_BY |
attributeType | QC_DISTRACTED_BY_SOURCE |
attributeType | QC_CONDITION |
attributeType | QC_LAW_ENFORCEMENT_SUSPECTS_ALCOHOL_USE |
attributeType | QC_ALCOHOL_TEST_STATUS |
attributeType | QC_ALCOHOL_TEST_TYPE |
attributeType | QC_ALCOHOL_TEST_RESULT |
attributeType | QC_LAW_ENFORCEMENT_SUSPECTS_DRUG_USE |
attributeType | QC_DRUG_TEST_STATUS |
attributeType | QC_DRUG_TEST_TYPE |
attributeType | QC_DRUG_TEST_RESULT |
attributeType | QC_MEDICAL_TRANSPORT_SOURCE |
attributeType | QC_INJURY_AREA |
attributeType | QC_INJURY_SEVERITY |
attributeType | QC_GRADE_DIRECTION_OF_SLOPE |
attributeType | QC_PART_OF_NATIONAL_HIGHWAY_SYSTEM |
attributeType | QC_ROADWAY_FUNCTIONAL_CLASS |
attributeType | QC_ACCESS_CONTROL |
attributeType | QC_ROADWAY_LIGHTING |
attributeType | QC_LONGITUDINAL_EDGELINE_TYPE |
attributeType | QC_LONGITUDINAL_CENTERLINE_TYPE |
attributeType | QC_LONGITUDINAL_LANE_LINE_MARKINGS |
attributeType | QC_TYPE_OF_BICYCLE_FACILITY |
attributeType | QC_SIGNED_BICYCLE_ROUTE |
attributeType | QC_MAINLINE_NUM_LANES_AT_INTERSECTION |
attributeType | QC_CROSS_STREET_NUM_LANES_AT_INTERSECTION |
attributeType | QC_ATTEMPTED_AVOIDANCE_MANEUVER |
attributeType | QC_FATAL_ALCOHOL_TEST_TYPE |
attributeType | QC_FATAL_DRUG_TEST_TYPE |
attributeType | QC_CMV_LICENSE_STATUS |
attributeType | QC_CMV_LICENSE_COMPLIANCE |
attributeType | QC_MOTOR_CARRIER_IDENTIFICATION_TYPE |
attributeType | QC_MOTOR_CARRIER_IDENTIFICATION_CARRIER_TYPE |
attributeType | QC_VEHICLE_CONFIGURATION |
attributeType | QC_VEHICLE_CONFIGURATION_SPECIAL_SIZING |
attributeType | QC_VEHICLE_CONFIGURATION_PERMITTED |
attributeType | QC_CARGO_BODY_TYPE |
attributeType | QC_HAZARDOUS_MATERIALS_RELEASED |
attributeType | QC_NON_MOTORIST_ACTION_PRIOR_TO_CRASH |
attributeType | QC_NON_MOTORIST_ORIGIN_OR_DESTINATION |
attributeType | QC_NON_MOTORIST_CONTRIBUTING_ACTIONS |
attributeType | QC_NON_MOTORIST_LOCATION_AT_TIME_OF_CRASH |
attributeType | QC_NON_MOTORIST_SAFETY_EQUIPMENT |
attributeType | QC_INITIAL_CONTACT_POINT_ON_NON_MOTORIST |
attributeType | QC_MOTOR_VEHICLE_AUTOMATED_DRIVING_SYSTEMS |
attributeType | QC_MOTOR_VEHICLE_AUTOMATED_DRIVING_SYSTEMS_LEVEL |
attributeType | QC_MOTOR_VEHICLE_AUTOMATED_DRIVING_SYSTEMS_ENGAGED |
attributeType | PROBATION_TYPE |
attributeType | LOCATION_POSITION |
attributeType | STOP_ACTION_TAKEN |
attributeType | STOP_BASIS_FOR_PROPERTY_SEIZURE |
attributeType | STOP_EDUCATION_CODE_SECTION |
attributeType | STOP_EDUCATION_CODE_SUBDIVISION |
attributeType | STOP_SUSPICION_TYPE |
attributeType | STOP_TYPE_OF_PROPERTY_SEIZED |
attributeType | STOP_TYPE_OF_TRAFFIC_VIOLATION |
attributeType | STOP_USER_ASSIGNMENT_TYPE |
attributeType | STOP_DATA_OFFICER_RACE |
attributeType | STOP_DATA_OFFICER_GENDER |
attributeType | SUBJECT_DATA_PROBABLE_CAUSE |
attributeType | TYPE_OF_SEARCH |
attributeType | OBJECT_OF_SEARCH |
attributeType | ENTRY_POINT |
attributeType | PROPERTY_TYPE_OF_SEARCH |
attributeType | PROPERTY_REASON_FOR_SEARCH |
attributeType | STOP_PROPERTY_TYPE_OF_PROPERTY_SEIZED |
attributeType | QC_HAZARDOUS_MATERIALS_CLASS |
attributeType | STOP_REASON_FOR_STOP |
attributeType | VEHICLE_INVOLVEMENT_TYPE |
attributeType | BOLO_CATEGORY |
attributeType | LOCATION_INTEREST_TYPE |
attributeType | USE_OF_FORCE_EXTENDED_BOOLEAN |
attributeType | USE_OF_FORCE_SUBJECT_THREAT_DIRECTED_AT |
attributeType | USE_OF_FORCE_SUBJECT_DE_ESCALATION_TYPE |
attributeType | OFFICER_EMPLOYMENT_TYPE |
attributeType | QC_LANDMARK_DISTANCE_UNITS |
attributeType | QC_LANDMARK_DIRECTION |
attributeType | COURT_CODE_GLOBAL |
attributeType | COURT_CODE |
attributeType | SEALING_STATUTE_CODE |
attributeType | EVENT_CLEARING_DISPOSITION_TYPE_GLOBAL |
attributeType | SUBJECT_DATA_CONTRABAND_OR_EVIDENCE |
attributeType | USE_OF_FORCE_SUBJECT_IMPAIRMENTS |
attributeType | QC_MILEPOST_DIRECTION |
attributeType | QC_MILEPOST_DISTANCE_UNITS |
attributeType | QC_ROADWAY_DIRECTION |
attributeType | USE_OF_FORCE_OFFICER_DUTY_TYPE |
attributeType | USE_OF_FORCE_PENDING_UNKNOWN |
attributeType | ARREST_ARRESTEE_SUSPECTED_USING |
attributeType | YES_NO_UNKNOWN |
attributeType | RELIGION |
attributeType | TASK_TYPE |
attributeType | FIREARM_SERIAL_NUMBER_LOCATION |
attributeType | FIREARM_MODEL_NUMBER_LOCATION |
attributeType | DRUG_FORM_TYPE |
attributeType | PHONE_SERVICE_STATUS |
attributeType | INDEMNITY_OBTAINED_TYPE |
attributeType | VICTIM_DISABILITY_TYPE |
attributeType | OFFENDER_HOUSEHOLD_STATUS |
attributeType | NCIC_FIREARM_CALIBER_TYPE |
attributeType | VEHICLE_LABEL_CATEGORY |
attributeType | VEHICLE_LABEL_ATTRIBUTES |
attributeType | NJ_BIAS_DESCRIPTION |
attributeType | PRIORITY_GLOBAL |
attributeType | TASK_PRIORITY |
attributeType | CHARGE_STATUS |
attributeType | INFANT_AGE |
attributeType | CITATION_CHARGE_RESULT |
attributeType | ARREST_STATUS |
attributeType | DRUGS_DATA_SOURCE |
attributeType | TYPE_OF_STOP |
attributeType | STOP_NON_FORCIBLE_ACTION_TAKEN |
attributeType | STOP_FORCIBLE_ACTION_TAKEN |
attributeType | CONSENT_TYPE |
attributeType | RADIO_ID |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTrafficCrashEntityDetail
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"customAttributeDisplayAbbreviation": "string",
"customAttributeDisplayValue": "string",
"customAttributeId": 0,
"customFieldDisplayName": "string",
"customFieldId": 0,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"qcFieldId": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
customAttributeDisplayAbbreviation | string | false | none | Abbreviation of custom attribute associated with ExternalTrafficCrash |
customAttributeDisplayValue | string | false | none | Display value of custom attribute associated with ExternalTrafficCrash |
customAttributeId | integer(int64) | false | none | Custom attribute Id associated with ExternalTrafficCrash |
customFieldDisplayName | string | false | none | Display name of custom field associated with ExternalTrafficCrash |
customFieldId | integer(int64) | false | none | Custom field Id associated with ExternalTrafficCrash |
description | string | false | none | Description of custom text or attribute 'other' text associated with ExternalTrafficCrash |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
qcFieldId | string | false | none | QuickCrash field Id associated with ExternalTrafficCrash |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTrafficCrashPerson
{
"age": 0,
"alcoholInterlockPresentAttrCode": "string",
"alcoholInterlockPresentAttrDisplayValue": "string",
"alcoholInterlockPresentAttrId": 0,
"alcoholTestResultAttrCode": "string",
"alcoholTestResultAttrDisplayValue": "string",
"alcoholTestResultAttrId": 0,
"alcoholTestStatusAttrCode": "string",
"alcoholTestStatusAttrDisplayValue": "string",
"alcoholTestStatusAttrId": 0,
"alcoholTestTypeAttrCode": "string",
"alcoholTestTypeAttrDisplayValue": "string",
"alcoholTestTypeAttrId": 0,
"attemptedAvoidanceManeuverAttrCode": "string",
"attemptedAvoidanceManeuverAttrDisplayValue": "string",
"attemptedAvoidanceManeuverAttrId": 0,
"cmvLicenseComplianceAttrCode": "string",
"cmvLicenseComplianceAttrDisplayValue": "string",
"cmvLicenseComplianceAttrId": 0,
"cmvLicenseStatusAttrCode": "string",
"cmvLicenseStatusAttrDisplayValue": "string",
"cmvLicenseStatusAttrId": 0,
"cmvLicenseStatusMmuccCode": "string",
"cmvLicenseStatusMmuccName": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfLicenseExpiration": "2019-08-24",
"distractedByAttrCode": "string",
"distractedByAttrDisplayValue": "string",
"distractedByAttrId": 0,
"distractedBySourceAttrCode": "string",
"distractedBySourceAttrDisplayValue": "string",
"distractedBySourceAttrId": 0,
"driverLicenseCdlAttrCode": "string",
"driverLicenseCdlAttrDisplayValue": "string",
"driverLicenseCdlAttrId": 0,
"driverLicenseCdlMmuccCode": "string",
"driverLicenseCdlMmuccName": "string",
"driverLicenseClassAttrCode": "string",
"driverLicenseClassAttrDisplayValue": "string",
"driverLicenseClassAttrId": 0,
"driverLicenseClassMmuccCode": "string",
"driverLicenseClassMmuccName": "string",
"driverLicenseJurisdictionAttrCode": "string",
"driverLicenseJurisdictionAttrDisplayValue": "string",
"driverLicenseJurisdictionAttrId": 0,
"driverLicenseJurisdictionName": "string",
"driverLicenseJurisdictionNameAnsiCode": "string",
"drugTestStatusAttrCode": "string",
"drugTestStatusAttrDisplayValue": "string",
"drugTestStatusAttrId": 0,
"drugTestTypeAttrCode": "string",
"drugTestTypeAttrDisplayValue": "string",
"drugTestTypeAttrId": 0,
"ejectionAttrCode": "string",
"ejectionAttrDisplayValue": "string",
"ejectionAttrId": 0,
"entityOrderedAttributes": [
{
"attributeCode": "string",
"attributeDisplayValue": "string",
"attributeId": 0,
"attributeType": "CRIMINAL_ACTIVITY_CATEGORY",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"sequenceOrder": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fatalAlcoholTestResults": "string",
"fatalAlcoholTestTypeAttrCode": "string",
"fatalAlcoholTestTypeAttrDisplayValue": "string",
"fatalAlcoholTestTypeAttrId": 0,
"fatalDrugTestResults": "string",
"fatalDrugTestTypeAttrCode": "string",
"fatalDrugTestTypeAttrDisplayValue": "string",
"fatalDrugTestTypeAttrId": 0,
"incidentResponderAttrCode": "string",
"incidentResponderAttrDisplayValue": "string",
"incidentResponderAttrId": 0,
"initialContactPointOnNonMotoristAttrCode": "string",
"initialContactPointOnNonMotoristAttrDisplayValue": "string",
"initialContactPointOnNonMotoristAttrId": 0,
"injuryDiagnosis": "string",
"injurySeverityAttrCode": "string",
"injurySeverityAttrDisplayValue": "string",
"injurySeverityAttrId": 0,
"lawEnforcementSuspectsAlcoholUseAttrCode": "string",
"lawEnforcementSuspectsAlcoholUseAttrDisplayValue": "string",
"lawEnforcementSuspectsAlcoholUseAttrId": 0,
"lawEnforcementSuspectsDrugUseAttrCode": "string",
"lawEnforcementSuspectsDrugUseAttrDisplayValue": "string",
"lawEnforcementSuspectsDrugUseAttrId": 0,
"mark43Id": 0,
"medicalTransportEmsResponseRunNumber": "string",
"medicalTransportFacility": "string",
"medicalTransportSourceAgencyId": "string",
"medicalTransportSourceAttrCode": "string",
"medicalTransportSourceAttrDisplayValue": "string",
"medicalTransportSourceAttrId": 0,
"nonMotoristActionPriorToCrashAttrCode": "string",
"nonMotoristActionPriorToCrashAttrDisplayValue": "string",
"nonMotoristActionPriorToCrashAttrId": 0,
"nonMotoristContributingActionsAttrCode": "string",
"nonMotoristContributingActionsAttrDisplayValue": "string",
"nonMotoristContributingActionsAttrId": 0,
"nonMotoristLocationAtTimeOfCrashAttrCode": "string",
"nonMotoristLocationAtTimeOfCrashAttrDisplayValue": "string",
"nonMotoristLocationAtTimeOfCrashAttrId": 0,
"nonMotoristOriginOrDestinationAttrCode": "string",
"nonMotoristOriginOrDestinationAttrDisplayValue": "string",
"nonMotoristOriginOrDestinationAttrId": 0,
"person": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"workAddresses": [
{}
]
},
"personTypeAttrCode": "string",
"personTypeAttrDisplayValue": "string",
"personTypeAttrId": 0,
"quickCrashId": "string",
"quickCrashVehicleId": "string",
"restraintSystemsImproperUseAttrCode": "string",
"restraintSystemsImproperUseAttrDisplayValue": "string",
"restraintSystemsImproperUseAttrId": 0,
"restraintsAndHelmetsAttrCode": "string",
"restraintsAndHelmetsAttrDisplayValue": "string",
"restraintsAndHelmetsAttrId": 0,
"seatingPositionAttrCode": "string",
"seatingPositionAttrDisplayValue": "string",
"seatingPositionAttrId": 0,
"speedingRelatedAttrCode": "string",
"speedingRelatedAttrDisplayValue": "string",
"speedingRelatedAttrId": 0,
"trafficCrashEntityDetails": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"customAttributeDisplayAbbreviation": "string",
"customAttributeDisplayValue": "string",
"customAttributeId": 0,
"customFieldDisplayName": "string",
"customFieldId": 0,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"qcFieldId": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"trafficCrashPersonOffenses": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"offenseCode": {},
"offenseCodeOther": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"unitNumOfMotorVehicleStrikingNonMotorist": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicleMark43Id": 0,
"vehicleUnitNumber": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
age | integer(int32) | false | none | QC field: p2_age. To be used only when date of birth cannot be obtained |
alcoholInterlockPresentAttrCode | string | false | none | QC field: p16_alcoholInterlockPresent |
alcoholInterlockPresentAttrDisplayValue | string | false | none | QC field: p16_alcoholInterlockPresent |
alcoholInterlockPresentAttrId | integer(int64) | false | none | QC field: p16_alcoholInterlockPresent |
alcoholTestResultAttrCode | string | false | none | QC field: p21_alcoholTestResult |
alcoholTestResultAttrDisplayValue | string | false | none | QC field: p21_alcoholTestResult |
alcoholTestResultAttrId | integer(int64) | false | none | QC field: p21_alcoholTestResult |
alcoholTestStatusAttrCode | string | false | none | QC field: p21_alcoholTestStatus |
alcoholTestStatusAttrDisplayValue | string | false | none | QC field: p21_alcoholTestStatus |
alcoholTestStatusAttrId | integer(int64) | false | none | QC field: p21_alcoholTestStatus |
alcoholTestTypeAttrCode | string | false | none | QC field: p21_alcoholTestType |
alcoholTestTypeAttrDisplayValue | string | false | none | QC field: p21_alcoholTestType |
alcoholTestTypeAttrId | integer(int64) | false | none | QC field: p21_alcoholTestType |
attemptedAvoidanceManeuverAttrCode | string | false | none | QC field: f1_attemptedAvoidanceManeuver |
attemptedAvoidanceManeuverAttrDisplayValue | string | false | none | QC field: f1_attemptedAvoidanceManeuver |
attemptedAvoidanceManeuverAttrId | integer(int64) | false | none | QC field: f1_attemptedAvoidanceManeuver |
cmvLicenseComplianceAttrCode | string | false | none | QC field: lv1_CMVLicenseCompliance Compliance with CDL Endorsements indicates whether the vehicle driven at the time of the crash requires endorsement(s) on a CDL and whether this driver is complying with the CDL endorsements. |
cmvLicenseComplianceAttrDisplayValue | string | false | none | QC field: lv1_CMVLicenseCompliance Compliance with CDL Endorsements indicates whether the vehicle driven at the time of the crash requires endorsement(s) on a CDL and whether this driver is complying with the CDL endorsements. |
cmvLicenseComplianceAttrId | integer(int64) | false | none | QC field: lv1_CMVLicenseCompliance Compliance with CDL Endorsements indicates whether the vehicle driven at the time of the crash requires endorsement(s) on a CDL and whether this driver is complying with the CDL endorsements. |
cmvLicenseStatusAttrCode | string | false | none | QC field: lv1_CMVLicenseStatus CDL Status indicates the status for a driver’s Commercial Driver’s License (CDL) if applicable. |
cmvLicenseStatusAttrDisplayValue | string | false | none | QC field: lv1_CMVLicenseStatus CDL Status indicates the status for a driver’s Commercial Driver’s License (CDL) if applicable. |
cmvLicenseStatusAttrId | integer(int64) | false | none | QC field: lv1_CMVLicenseStatus CDL Status indicates the status for a driver’s Commercial Driver’s License (CDL) if applicable. |
cmvLicenseStatusMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type CMV License Status |
cmvLicenseStatusMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type CMV License Status |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
dateOfLicenseExpiration | string(date) | false | none | QC field: qcp5_licenseExpiration |
distractedByAttrCode | string | false | none | QC field: p18_distracted |
distractedByAttrDisplayValue | string | false | none | QC field: p18_distracted |
distractedByAttrId | integer(int64) | false | none | QC field: p18_distracted |
distractedBySourceAttrCode | string | false | none | QC field: p18_distractedBySource |
distractedBySourceAttrDisplayValue | string | false | none | QC field: p18_distractedBySource |
distractedBySourceAttrId | integer(int64) | false | none | QC field: p18_distractedBySource |
driverLicenseCdlAttrCode | string | false | none | QC field: p12_driverLicenseCDL This indicates whether the driver license is a commercial driver license (CDL). In addition, this information is important to separate the non-commercial licenses included by some States in Class C with the commercial licenses. |
driverLicenseCdlAttrDisplayValue | string | false | none | QC field: p12_driverLicenseCDL This indicates whether the driver license is a commercial driver license (CDL). In addition, this information is important to separate the non-commercial licenses included by some States in Class C with the commercial licenses. |
driverLicenseCdlAttrId | integer(int64) | false | none | QC field: p12_driverLicenseCDL This indicates whether the driver license is a commercial driver license (CDL). In addition, this information is important to separate the non-commercial licenses included by some States in Class C with the commercial licenses. |
driverLicenseCdlMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Driver License CDL |
driverLicenseCdlMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Driver License CDL |
driverLicenseClassAttrCode | string | false | none | QC field: p12_driverLicenseClass Class indicates the type of driver license issued by the State and the type of motor vehicle the driver is qualified to drive. |
driverLicenseClassAttrDisplayValue | string | false | none | QC field: p12_driverLicenseClass Class indicates the type of driver license issued by the State and the type of motor vehicle the driver is qualified to drive. |
driverLicenseClassAttrId | integer(int64) | false | none | QC field: p12_driverLicenseClass Class indicates the type of driver license issued by the State and the type of motor vehicle the driver is qualified to drive. |
driverLicenseClassMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Driver License Class |
driverLicenseClassMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Driver License Class |
driverLicenseJurisdictionAttrCode | string | false | none | QC field: p11_driverLicenseJurisdiction |
driverLicenseJurisdictionAttrDisplayValue | string | false | none | QC field: p11_driverLicenseJurisdiction |
driverLicenseJurisdictionAttrId | integer(int64) | false | none | QC field: p11_driverLicenseJurisdiction |
driverLicenseJurisdictionName | string | false | none | QC field: p11_driverLicenseJurisdictionName |
driverLicenseJurisdictionNameAnsiCode | string | false | none | QC field: p11_driverLicenseJurisdictionNameANSICode |
drugTestStatusAttrCode | string | false | none | QC field: p23_drugTestStatus |
drugTestStatusAttrDisplayValue | string | false | none | QC field: p23_drugTestStatus |
drugTestStatusAttrId | integer(int64) | false | none | QC field: p23_drugTestStatus |
drugTestTypeAttrCode | string | false | none | QC field: p23_drugTestType |
drugTestTypeAttrDisplayValue | string | false | none | QC field: p23_drugTestType |
drugTestTypeAttrId | integer(int64) | false | none | QC field: p23_drugTestType |
ejectionAttrCode | string | false | none | QC field: p10_ejection |
ejectionAttrDisplayValue | string | false | none | QC field: p10_ejection |
ejectionAttrId | integer(int64) | false | none | QC field: p10_ejection |
entityOrderedAttributes | [ExternalEntityOrderedAttribute] | false | none | Entity Ordered Attributes related to the person |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
fatalAlcoholTestResults | string | false | none | QC field: f2_alcoholTestResults |
fatalAlcoholTestTypeAttrCode | string | false | none | QC field: f2_alcoholTestType |
fatalAlcoholTestTypeAttrDisplayValue | string | false | none | QC field: f2_alcoholTestType |
fatalAlcoholTestTypeAttrId | integer(int64) | false | none | QC field: f2_alcoholTestType |
fatalDrugTestResults | string | false | none | QC field: f3_drugTestResults |
fatalDrugTestTypeAttrCode | string | false | none | QC field: f3_drugTestType |
fatalDrugTestTypeAttrDisplayValue | string | false | none | QC field: f3_drugTestType |
fatalDrugTestTypeAttrId | integer(int64) | false | none | QC field: f3_drugTestType |
incidentResponderAttrCode | string | false | none | QC field: p4_incidentResponder |
incidentResponderAttrDisplayValue | string | false | none | QC field: p4_incidentResponder |
incidentResponderAttrId | integer(int64) | false | none | QC field: p4_incidentResponder |
initialContactPointOnNonMotoristAttrCode | string | false | none | QC field: nm6_initialContactPointOnNonMotorist |
initialContactPointOnNonMotoristAttrDisplayValue | string | false | none | QC field: nm6_initialContactPointOnNonMotorist |
initialContactPointOnNonMotoristAttrId | integer(int64) | false | none | QC field: nm6_initialContactPointOnNonMotorist |
injuryDiagnosis | string | false | none | QC field: p26_injuryDiagnosis |
injurySeverityAttrCode | string | false | none | QC field: p27_injurySeverity |
injurySeverityAttrDisplayValue | string | false | none | QC field: p27_injurySeverity |
injurySeverityAttrId | integer(int64) | false | none | QC field: p27_injurySeverity |
lawEnforcementSuspectsAlcoholUseAttrCode | string | false | none | QC field: p20_lawEnforcementSuspectsAlcoholUse |
lawEnforcementSuspectsAlcoholUseAttrDisplayValue | string | false | none | QC field: p20_lawEnforcementSuspectsAlcoholUse |
lawEnforcementSuspectsAlcoholUseAttrId | integer(int64) | false | none | QC field: p20_lawEnforcementSuspectsAlcoholUse |
lawEnforcementSuspectsDrugUseAttrCode | string | false | none | QC field: p22_lawEnforcementSuspectsDrugUse |
lawEnforcementSuspectsDrugUseAttrDisplayValue | string | false | none | QC field: p22_lawEnforcementSuspectsDrugUse |
lawEnforcementSuspectsDrugUseAttrId | integer(int64) | false | none | QC field: p22_lawEnforcementSuspectsDrugUse |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
medicalTransportEmsResponseRunNumber | string | false | none | QC field: p24_medicalTransportEMSResponseRunNumber |
medicalTransportFacility | string | false | none | QC field: p24_medicalTransportFacility Name or Number of Medical Facility Receiving Patient |
medicalTransportSourceAgencyId | string | false | none | QC field: p24_medicalTransportSourceAgencyId. ID for EMS agency that responds |
medicalTransportSourceAttrCode | string | false | none | QC field: p24_medicalTransportSource |
medicalTransportSourceAttrDisplayValue | string | false | none | QC field: p24_medicalTransportSource |
medicalTransportSourceAttrId | integer(int64) | false | none | QC field: p24_medicalTransportSource |
nonMotoristActionPriorToCrashAttrCode | string | false | none | QC field: nm2_nonMotoristActionPriorToCrash |
nonMotoristActionPriorToCrashAttrDisplayValue | string | false | none | QC field: nm2_nonMotoristActionPriorToCrash |
nonMotoristActionPriorToCrashAttrId | integer(int64) | false | none | QC field: nm2_nonMotoristActionPriorToCrash |
nonMotoristContributingActionsAttrCode | string | false | none | QC field: nm3_nonMotoristContributingActions |
nonMotoristContributingActionsAttrDisplayValue | string | false | none | QC field: nm3_nonMotoristContributingActions |
nonMotoristContributingActionsAttrId | integer(int64) | false | none | QC field: nm3_nonMotoristContributingActions |
nonMotoristLocationAtTimeOfCrashAttrCode | string | false | none | QC field: nm4_nonMotoristLocationAtTimeOfCrash |
nonMotoristLocationAtTimeOfCrashAttrDisplayValue | string | false | none | QC field: nm4_nonMotoristLocationAtTimeOfCrash |
nonMotoristLocationAtTimeOfCrashAttrId | integer(int64) | false | none | QC field: nm4_nonMotoristLocationAtTimeOfCrash |
nonMotoristOriginOrDestinationAttrCode | string | false | none | QC field: nm2_nonMotoristOriginOrDestination |
nonMotoristOriginOrDestinationAttrDisplayValue | string | false | none | QC field: nm2_nonMotoristOriginOrDestination |
nonMotoristOriginOrDestinationAttrId | integer(int64) | false | none | QC field: nm2_nonMotoristOriginOrDestination |
person | ExternalPerson | false | none | The person profile |
personTypeAttrCode | string | false | none | QC field: p4_personType |
personTypeAttrDisplayValue | string | false | none | QC field: p4_personType |
personTypeAttrId | integer(int64) | false | none | QC field: p4_personType |
quickCrashId | string | false | none | ID Assigned by Quick Crash |
quickCrashVehicleId | string | false | none | QC field: qcp4_vehicleId |
restraintSystemsImproperUseAttrCode | string | false | none | QC field: p8_restraintSystemsImproperUse |
restraintSystemsImproperUseAttrDisplayValue | string | false | none | QC field: p8_restraintSystemsImproperUse |
restraintSystemsImproperUseAttrId | integer(int64) | false | none | QC field: p8_restraintSystemsImproperUse |
restraintsAndHelmetsAttrCode | string | false | none | QC field: p8_restraintsAndHelmets |
restraintsAndHelmetsAttrDisplayValue | string | false | none | QC field: p8_restraintsAndHelmets |
restraintsAndHelmetsAttrId | integer(int64) | false | none | QC field: p8_restraintsAndHelmets |
seatingPositionAttrCode | string | false | none | QC field: p7_seatingPosition |
seatingPositionAttrDisplayValue | string | false | none | QC field: p7_seatingPosition |
seatingPositionAttrId | integer(int64) | false | none | QC field: p7_seatingPosition |
speedingRelatedAttrCode | string | false | none | QC field: p13_speedingRelated |
speedingRelatedAttrDisplayValue | string | false | none | QC field: p13_speedingRelated |
speedingRelatedAttrId | integer(int64) | false | none | QC field: p13_speedingRelated |
trafficCrashEntityDetails | [ExternalTrafficCrashEntityDetail] | false | none | Entity Details related to the person |
trafficCrashPersonOffenses | [ExternalTrafficCrashPersonOffense] | false | none | Offenses commited by the individual |
unitNumOfMotorVehicleStrikingNonMotorist | integer(int32) | false | none | QC field: nm1_unitNumOfMotorVehicleStrikingNonMotorist |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
vehicleMark43Id | integer(int64) | false | none | ID of the vehicle the person was affiliated with |
vehicleUnitNumber | integer(int32) | false | none | QC field: p6_vehicleUnitNumber |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTrafficCrashPersonOffense
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"offenseCode": {
"abbreviation": "string",
"arrestType": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fineAmount": 0,
"mark43Id": 0,
"nibrsCode": "string",
"offenseClassificationCode": "string",
"offenseCodeLevel": "string",
"secondAbbreviation": "string",
"secondStatuteCodeSet": "string",
"stateCode": "string",
"statuteCodeSet": "string",
"thirdAbbreviation": "string",
"thirdStatuteCodeSet": "string",
"ucrCode": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
},
"offenseCodeOther": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
offenseCode | ExternalOffenseCode | false | none | Offense code |
offenseCodeOther | string | false | none | Offense Code Other |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTrafficCrashRoadway
{
"accessControlAttrCode": "string",
"accessControlAttrDisplayValue": "string",
"accessControlAttrId": 0,
"accessControlMmuccCode": "string",
"accessControlMmuccName": "string",
"annualAverageDailyTraffic": 0,
"annualAverageDailyTrafficMotorcycleCount": 0,
"annualAverageDailyTrafficTruckCount": 0,
"annualAverageDailyTrafficYear": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreetNumLanesAtIntersectionAttrCode": "string",
"crossStreetNumLanesAtIntersectionAttrDisplayValue": "string",
"crossStreetNumLanesAtIntersectionAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"gradeDirectionOfSlopeAttrCode": "string",
"gradeDirectionOfSlopeAttrDisplayValue": "string",
"gradeDirectionOfSlopeAttrId": 0,
"gradePercentOfSlope": 0,
"laneWidth": 0,
"leftShoulderWidth": 0,
"longitudinalCenterlineTypeAttrCode": "string",
"longitudinalCenterlineTypeAttrDisplayValue": "string",
"longitudinalCenterlineTypeAttrId": 0,
"longitudinalEdgelineTypeAttrCode": "string",
"longitudinalEdgelineTypeAttrDisplayValue": "string",
"longitudinalEdgelineTypeAttrId": 0,
"longitudinalLaneLineMarkingsAttrCode": "string",
"longitudinalLaneLineMarkingsAttrDisplayValue": "string",
"longitudinalLaneLineMarkingsAttrId": 0,
"mainlineNumLanesAtIntersectionAttrCode": "string",
"mainlineNumLanesAtIntersectionAttrDisplayValue": "string",
"mainlineNumLanesAtIntersectionAttrId": 0,
"mark43Id": 0,
"partOfNationalHighwaySystemAttrCode": "string",
"partOfNationalHighwaySystemAttrDisplayValue": "string",
"partOfNationalHighwaySystemAttrId": 0,
"railwayCrossingId": "string",
"rightShoulderWidth": 0,
"roadwayCurvatureElevation": 0,
"roadwayCurvatureLength": 0,
"roadwayCurvatureRadius": 0,
"roadwayDirectionAttrCode": "string",
"roadwayDirectionAttrId": 0,
"roadwayDirectionDisplayValue": "string",
"roadwayFunctionalClassAttrCode": "string",
"roadwayFunctionalClassAttrDisplayValue": "string",
"roadwayFunctionalClassAttrId": 0,
"roadwayLightingAttrCode": "string",
"roadwayLightingAttrDisplayValue": "string",
"roadwayLightingAttrId": 0,
"roadwayName": "string",
"signedBicycleRouteAttrCode": "string",
"signedBicycleRouteAttrDisplayValue": "string",
"signedBicycleRouteAttrId": 0,
"structureIdentificationNumber": "string",
"totalVolumeOfEnteringVehiclesAadt": 0,
"totalVolumeOfEnteringVehiclesAadtYear": 0,
"typeOfBicycleFacilityAttrCode": "string",
"typeOfBicycleFacilityAttrDisplayValue": "string",
"typeOfBicycleFacilityAttrId": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"widthOfMedian": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
accessControlAttrCode | string | false | none | QuickCrash field: r9_accessControl. The degree that access to abutting land is fully, partially, or not controlled by a public authority. Full access control – Preference given to through traffic movements by providing interchanges with selected public roads, and by prohibiting crossing atgrade and direct driveway connections (i.e., limited access to the facility). Partial access control – Preference given to through traffic movement. In addition to interchanges, there may be some crossings at-grade with public roads, but direct private driveway connections have been minimized through the use of frontage roads or other local access restrictions. Control of curb cuts is not access control. No access control – No degree of access control exists (i.e., full access to the facility is permitted). |
accessControlAttrDisplayValue | string | false | none | QuickCrash field: r9_accessControl. The degree that access to abutting land is fully, partially, or not controlled by a public authority. Full access control – Preference given to through traffic movements by providing interchanges with selected public roads, and by prohibiting crossing atgrade and direct driveway connections (i.e., limited access to the facility). Partial access control – Preference given to through traffic movement. In addition to interchanges, there may be some crossings at-grade with public roads, but direct private driveway connections have been minimized through the use of frontage roads or other local access restrictions. Control of curb cuts is not access control. No access control – No degree of access control exists (i.e., full access to the facility is permitted). |
accessControlAttrId | integer(int64) | false | none | QuickCrash field: r9_accessControl. The degree that access to abutting land is fully, partially, or not controlled by a public authority. Full access control – Preference given to through traffic movements by providing interchanges with selected public roads, and by prohibiting crossing atgrade and direct driveway connections (i.e., limited access to the facility). Partial access control – Preference given to through traffic movement. In addition to interchanges, there may be some crossings at-grade with public roads, but direct private driveway connections have been minimized through the use of frontage roads or other local access restrictions. Control of curb cuts is not access control. No access control – No degree of access control exists (i.e., full access to the facility is permitted). |
accessControlMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Access Control |
accessControlMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Access Control |
annualAverageDailyTraffic | number(double) | false | none | QuickCrash field: r6_annualAverageDailyTraffic The average number of motor vehicles passing a point on a trafficway in a day, for all days of the year, during a specified calendar year. |
annualAverageDailyTrafficMotorcycleCount | number(double) | false | none | QuickCrash field: r6_annualAverageDailyTrafficMotorcycleCount. Motorcycle Count or Percentage |
annualAverageDailyTrafficTruckCount | number(double) | false | none | QuickCrash field: r6_annualAverageDailyTrafficTruckCount. Truck (over 10,000 lbs.) Count or Percentage |
annualAverageDailyTrafficYear | integer(int32) | false | none | QuickCrash field: r6_annualAverageDailyTrafficYear. The year |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
crossStreetNumLanesAtIntersectionAttrCode | string | false | none | QuickCrash field: r15_crossStreetNumLanesAtIntersection Number of through lanes on the side-road approaches at intersection including all lanes with through movement (through and left-turn, or through and right-turn) but not exclusive turn lanes. |
crossStreetNumLanesAtIntersectionAttrDisplayValue | string | false | none | QuickCrash field: r15_crossStreetNumLanesAtIntersection Number of through lanes on the side-road approaches at intersection including all lanes with through movement (through and left-turn, or through and right-turn) but not exclusive turn lanes. |
crossStreetNumLanesAtIntersectionAttrId | integer(int64) | false | none | QuickCrash field: r15_crossStreetNumLanesAtIntersection Number of through lanes on the side-road approaches at intersection including all lanes with through movement (through and left-turn, or through and right-turn) but not exclusive turn lanes. |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
gradeDirectionOfSlopeAttrCode | string | false | none | QuickCrash field: r3_gradeDirectionOfSlope |
gradeDirectionOfSlopeAttrDisplayValue | string | false | none | QuickCrash field: r3_gradeDirectionOfSlope |
gradeDirectionOfSlopeAttrId | integer(int64) | false | none | QuickCrash field: r3_gradeDirectionOfSlope |
gradePercentOfSlope | integer(int32) | false | none | QuickCrash field: r3_gradePercentOfSlope.Nearest Percent of Slope |
laneWidth | integer(int32) | false | none | QuickCrash field: r7_laneWidth. In feet |
leftShoulderWidth | integer(int32) | false | none | QuickCrash field: r7_leftShoulderWidth. In feet |
longitudinalCenterlineTypeAttrCode | string | false | none | QuickCrash field: r12_longitudinalCenterlineType Centerline Presence/Type |
longitudinalCenterlineTypeAttrDisplayValue | string | false | none | QuickCrash field: r12_longitudinalCenterlineTypeCenterline Presence/Type |
longitudinalCenterlineTypeAttrId | integer(int64) | false | none | QuickCrash field: r12_longitudinalCenterlineType Centerline Presence/Type |
longitudinalEdgelineTypeAttrCode | string | false | none | QuickCrash field: r12_longitudinalEdgelineType Edgeline Presence/Type |
longitudinalEdgelineTypeAttrDisplayValue | string | false | none | QuickCrash field: r12_longitudinalEdgelineType Edgeline Presence/Type |
longitudinalEdgelineTypeAttrId | integer(int64) | false | none | QuickCrash field: r12_longitudinalEdgelineType Edgeline Presence/Type |
longitudinalLaneLineMarkingsAttrCode | string | false | none | QuickCrash field: r12_longitudinalLaneLineMarkings Lane Line Markings |
longitudinalLaneLineMarkingsAttrDisplayValue | string | false | none | QuickCrash field: r12_longitudinalLaneLineMarkings Lane Line Markings |
longitudinalLaneLineMarkingsAttrId | integer(int64) | false | none | QuickCrash field: r12_longitudinalLaneLineMarkings Lane Line Markings |
mainlineNumLanesAtIntersectionAttrCode | string | false | none | QuickCrash field: r14_mainlineNumLanesAtIntersection Number of through lanes on the mainline approaches of an intersection, including all lanes with through movement (through and left-turn, or through and right-turn) but not exclusive turn lanes. |
mainlineNumLanesAtIntersectionAttrDisplayValue | string | false | none | QuickCrash field: r14_mainlineNumLanesAtIntersection Number of through lanes on the mainline approaches of an intersection, including all lanes with through movement (through and left-turn, or through and right-turn) but not exclusive turn lanes. |
mainlineNumLanesAtIntersectionAttrId | integer(int64) | false | none | QuickCrash field: r14_mainlineNumLanesAtIntersection Number of through lanes on the mainline approaches of an intersection, including all lanes with through movement (through and left-turn, or through and right-turn) but not exclusive turn lanes. |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
partOfNationalHighwaySystemAttrCode | string | false | none | QuickCrash field: r4_partOfNationalHighwaySystem.Designation as part of the National Highway System. |
partOfNationalHighwaySystemAttrDisplayValue | string | false | none | QuickCrash field: r4_partOfNationalHighwaySystem.Designation as part of the National Highway System. |
partOfNationalHighwaySystemAttrId | integer(int64) | false | none | QuickCrash field: r4_partOfNationalHighwaySystem.Designation as part of the National Highway System. |
railwayCrossingId | string | false | none | QuickCrash field: r10_railwayCrossingId A unique US DOT/AAR number assigned for identification purposes to a railroad crossing by a State highway agency in cooperation with the Federal Railroad Administration. |
rightShoulderWidth | integer(int32) | false | none | QuickCrash field: r7_rightShoulderWidth. In feet |
roadwayCurvatureElevation | integer(int32) | false | none | QuickCrash field: r2_roadwayCurvatureElevation. In feet |
roadwayCurvatureLength | integer(int32) | false | none | QuickCrash field: r2_roadwayCurvatureLength. In feet |
roadwayCurvatureRadius | integer(int32) | false | none | QuickCrash field: r2_roadwayCurvatureRadius. In feet |
roadwayDirectionAttrCode | string | false | none | QuickCrash field: qcr1_roadwayDirection |
roadwayDirectionAttrId | integer(int64) | false | none | QuickCrash field: qcr1_roadwayDirection |
roadwayDirectionDisplayValue | string | false | none | QuickCrash field: qcr1_roadwayDirection |
roadwayFunctionalClassAttrCode | string | false | none | QuickCrash field: r5_roadwayFunctionalClass. The character of service or function of streets or highways. The classification of rural and urban is determined by State and local officials in cooperation with each other and approved by the Federal Highway Administration, U.S. Department of Transportation. |
roadwayFunctionalClassAttrDisplayValue | string | false | none | QuickCrash field: r5_roadwayFunctionalClass. The character of service or function of streets or highways. The classification of rural and urban is determined by State and local officials in cooperation with each other and approved by the Federal Highway Administration, U.S. Department of Transportation. |
roadwayFunctionalClassAttrId | integer(int64) | false | none | QuickCrash field: r5_roadwayFunctionalClass. The character of service or function of streets or highways. The classification of rural and urban is determined by State and local officials in cooperation with each other and approved by the Federal Highway Administration, U.S. Department of Transportation. |
roadwayLightingAttrCode | string | false | none | QuickCrash field: r11_roadwayLighting Type of roadway illumination. |
roadwayLightingAttrDisplayValue | string | false | none | QuickCrash field: r11_roadwayLighting Type of roadway illumination. |
roadwayLightingAttrId | integer(int64) | false | none | QuickCrash field: r11_roadwayLighting Type of roadway illumination. |
roadwayName | string | false | none | QuickCrash field: qcv7_roadwayName. Name of street/highway vehicle was traveling on |
signedBicycleRouteAttrCode | string | false | none | QuickCrash r13_signedBicycleRoute |
signedBicycleRouteAttrDisplayValue | string | false | none | QuickCrash r13_signedBicycleRoute |
signedBicycleRouteAttrId | integer(int64) | false | none | QuickCrash r13_signedBicycleRoute |
structureIdentificationNumber | string | false | none | QuickCrash field: r1_structureIdentificationNumber. A unique federal inspection/inventory identifier assigned to a bridge, underpass,overpass, or tunnel bridge/structure that is also linkable to the National Bridge Inventory. |
totalVolumeOfEnteringVehiclesAadt | number(double) | false | none | QC field: r16_totalVolumeOfEnteringVehiclesAADT AADT - Total entering vehicles for all approaches of an intersection. |
totalVolumeOfEnteringVehiclesAadtYear | integer(int32) | false | none | QC field: r16_totalVolumeOfEnteringVehiclesAADTYear AADT Year |
typeOfBicycleFacilityAttrCode | string | false | none | QuickCrash field: r13_typeofBicycleFacility Any road, path, or way that is specifically designated as being open to bicycle travel, regardless of whether such facilities are designated for the exclusive use of bicycles or are to be shared with other transportation modes. |
typeOfBicycleFacilityAttrDisplayValue | string | false | none | QuickCrash field: r13_typeofBicycleFacility Any road, path, or way that is specifically designated as being open to bicycle travel, regardless of whether such facilities are designated for the exclusive use of bicycles or are to be shared with other transportation modes. |
typeOfBicycleFacilityAttrId | integer(int64) | false | none | QuickCrash field: r13_typeofBicycleFacility Any road, path, or way that is specifically designated as being open to bicycle travel, regardless of whether such facilities are designated for the exclusive use of bicycles or are to be shared with other transportation modes. |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
widthOfMedian | integer(int32) | false | none | QuickCrash field: r8_widthOfMedian. In feet |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalTrafficCrashVehicle
{
"cargoBodyTypeAttrCode": "string",
"cargoBodyTypeAttrDisplayValue": "string",
"cargoBodyTypeAttrId": 0,
"cargoBodyTypeMmuccCode": "string",
"cargoBodyTypeMmuccName": "string",
"contributingCircumstancesAttrCode": "string",
"contributingCircumstancesAttrDisplayValue": "string",
"contributingCircumstancesAttrId": 0,
"crashRelatedToHovHotLanesAttrCode": "string",
"crashRelatedToHovHotLanesAttrDisplayValue": "string",
"crashRelatedToHovHotLanesAttrId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfInsurancePolicyExpiration": "2019-08-24",
"directionOfTravelBeforeCrashAttrCode": "string",
"directionOfTravelBeforeCrashAttrDisplayValue": "string",
"directionOfTravelBeforeCrashAttrId": 0,
"emergencyMotorVehicleUseAttrCode": "string",
"emergencyMotorVehicleUseAttrDisplayValue": "string",
"emergencyMotorVehicleUseAttrId": 0,
"entityOrderedAttributes": [
{
"attributeCode": "string",
"attributeDisplayValue": "string",
"attributeId": 0,
"attributeType": "CRIMINAL_ACTIVITY_CATEGORY",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"sequenceOrder": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"hasHmPlacardAttrCode": "string",
"hasHmPlacardAttrDisplayValue": "string",
"hasHmPlacardAttrId": 0,
"hasHmPlacardMmuccCode": "string",
"hasHmPlacardMmuccName": "string",
"hazardousMaterialsClassAttrCode": "string",
"hazardousMaterialsClassAttrDisplayValue": "string",
"hazardousMaterialsClassAttrId": 0,
"hazardousMaterialsClassMmuccCode": "string",
"hazardousMaterialsClassMmuccName": "string",
"hazardousMaterialsId": "string",
"hazardousMaterialsInvolved": true,
"hazardousMaterialsReleasedAttrCode": "string",
"hazardousMaterialsReleasedAttrDisplayValue": "string",
"hazardousMaterialsReleasedAttrId": 0,
"hazardousMaterialsReleasedMmuccCode": "string",
"hazardousMaterialsReleasedMmuccName": "string",
"hitAndRunAttrCode": "string",
"hitAndRunAttrDisplayValue": "string",
"hitAndRunAttrId": 0,
"initialPointOfContactAttrCode": "string",
"initialPointOfContactAttrDisplayValue": "string",
"initialPointOfContactAttrId": 0,
"isOwnedByNonInvolvedPerson": true,
"licensePlateNumFirstTrailer": "string",
"licensePlateNumSecondTrailer": "string",
"licensePlateNumThirdTrailer": "string",
"makeIdFirstTrailer": 0,
"makeIdSecondTrailer": 0,
"makeIdThirdTrailer": 0,
"makeNameFirstTrailer": "string",
"makeNameSecondTrailer": "string",
"makeNameThirdTrailer": "string",
"makeNcicCodeFirstTrailer": "string",
"makeNcicCodeSecondTrailer": "string",
"makeNcicCodeThirdTrailer": "string",
"makeOtherFirstTrailer": "string",
"makeOtherSecondTrailer": "string",
"makeOtherThirdTrailer": "string",
"maneuverAttrCode": "string",
"maneuverAttrDisplayValue": "string",
"maneuverAttrId": 0,
"mark43Id": 0,
"modelIdFirstTrailer": 0,
"modelIdSecondTrailer": 0,
"modelIdThirdTrailer": 0,
"modelNameFirstTrailer": "string",
"modelNameSecondTrailer": "string",
"modelNameThirdTrailer": "string",
"modelNcicCodeFirstTrailer": "string",
"modelNcicCodeSecondTrailer": "string",
"modelNcicCodeThirdTrailer": "string",
"modelOtherFirstTrailer": "string",
"modelOtherSecondTrailer": "string",
"modelOtherThirdTrailer": "string",
"modelYearFirstTrailer": 0,
"modelYearSecondTrailer": 0,
"modelYearThirdTrailer": 0,
"mostHarmfulEventAttrCode": "string",
"mostHarmfulEventAttrDisplayValue": "string",
"mostHarmfulEventAttrId": 0,
"motorCarrierAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"motorCarrierIdentificationCarrierTypeAttrCode": "string",
"motorCarrierIdentificationCarrierTypeAttrDisplayValue": "string",
"motorCarrierIdentificationCarrierTypeAttrId": 0,
"motorCarrierIdentificationCarrierTypeMmuccCode": "string",
"motorCarrierIdentificationCarrierTypeMmuccName": "string",
"motorCarrierIdentificationCountryOrStateCode": "string",
"motorCarrierIdentificationName": "string",
"motorCarrierIdentificationNumber": "string",
"motorCarrierIdentificationTypeAttrCode": "string",
"motorCarrierIdentificationTypeAttrDisplayValue": "string",
"motorCarrierIdentificationTypeAttrId": 0,
"motorCarrierIdentificationTypeMmuccCode": "string",
"motorCarrierIdentificationTypeMmuccName": "string",
"motorVehicleAutomatedDrivingSystemsAttrCode": "string",
"motorVehicleAutomatedDrivingSystemsAttrDisplayValue": "string",
"motorVehicleAutomatedDrivingSystemsAttrId": 0,
"numTrailingUnitsAttrCode": "string",
"numTrailingUnitsAttrDisplayValue": "string",
"numTrailingUnitsAttrId": 0,
"postedSpeedLimit": 0,
"qcOwnerId": "string",
"quickCrashId": "string",
"quickCrashUnitTypeAttrCode": "string",
"quickCrashUnitTypeAttrDisplayValue": "string",
"quickCrashUnitTypeAttrId": 0,
"registrationStateOrCountry": "string",
"resultingExtentOfDamageAttrCode": "string",
"resultingExtentOfDamageAttrDisplayValue": "string",
"resultingExtentOfDamageAttrId": 0,
"roadwayGradeAttrCode": "string",
"roadwayGradeAttrDisplayValue": "string",
"roadwayGradeAttrId": 0,
"roadwayHorizontalAlignmentAttrCode": "string",
"roadwayHorizontalAlignmentAttrDisplayValue": "string",
"roadwayHorizontalAlignmentAttrId": 0,
"roadwayName": "string",
"specialFunctionAttrCode": "string",
"specialFunctionAttrDisplayValue": "string",
"specialFunctionAttrId": 0,
"specialFunctionMmuccCode": "string",
"specialFunctionMmuccName": "string",
"totalAuxLanes": 0,
"totalNumOfAxlesFirstTrailer": 0,
"totalNumOfAxlesSecondTrailer": 0,
"totalNumOfAxlesThirdTrailer": 0,
"totalNumOfAxlesTruckTractor": 0,
"totalOccupantsInMotorVehicle": 0,
"totalThroughLanes": 0,
"towedDueToDisablingDamageAttrCode": "string",
"towedDueToDisablingDamageAttrDisplayValue": "string",
"towedDueToDisablingDamageAttrId": 0,
"towedDueToDisablingDamageMmuccCode": "string",
"towedDueToDisablingDamageMmuccName": "string",
"trafficCrashEntityDetails": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"customAttributeDisplayAbbreviation": "string",
"customAttributeDisplayValue": "string",
"customAttributeId": 0,
"customFieldDisplayName": "string",
"customFieldId": 0,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"qcFieldId": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"trafficwayBarrierTypeAttrCode": "string",
"trafficwayBarrierTypeAttrDisplayValue": "string",
"trafficwayBarrierTypeAttrId": 0,
"trafficwayDividedAttrCode": "string",
"trafficwayDividedAttrDisplayValue": "string",
"trafficwayDividedAttrId": 0,
"trafficwayDividedMmuccCode": "string",
"trafficwayDividedMmuccName": "string",
"trafficwayHovHotLanesAttrCode": "string",
"trafficwayHovHotLanesAttrDisplayValue": "string",
"trafficwayHovHotLanesAttrId": 0,
"trafficwayTravelDirectionsAttrCode": "string",
"trafficwayTravelDirectionsAttrDisplayValue": "string",
"trafficwayTravelDirectionsAttrId": 0,
"trafficwayTravelDirectionsMmuccCode": "string",
"trafficwayTravelDirectionsMmuccName": "string",
"unitNumber": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vehicle": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [
"string"
],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [
{}
],
"licensePlateNumber": "string",
"linkedNames": [
{}
],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
},
"vehicleConfigurationAttrCode": "string",
"vehicleConfigurationAttrDisplayValue": "string",
"vehicleConfigurationAttrId": 0,
"vehicleConfigurationMmuccCode": "string",
"vehicleConfigurationMmuccName": "string",
"vehicleConfigurationPermittedAttrCode": "string",
"vehicleConfigurationPermittedAttrDisplayValue": "string",
"vehicleConfigurationPermittedAttrId": 0,
"vehicleSizeAttrCode": "string",
"vehicleSizeAttrDisplayValue": "string",
"vehicleSizeAttrId": 0,
"vehicleSizeMmuccCode": "string",
"vehicleSizeMmuccName": "string",
"vinFirstTrailer": "string",
"vinSecondTrailer": "string",
"vinThirdTrailer": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
cargoBodyTypeAttrCode | string | false | none | QuickCrash field: lv9_cargoBodyType. The type of body for buses and trucks more than 10,000 GVWR. |
cargoBodyTypeAttrDisplayValue | string | false | none | QuickCrash field: lv9_cargoBodyType. The type of body for buses and trucks more than 10,000 GVWR. |
cargoBodyTypeAttrId | integer(int64) | false | none | QuickCrash field: lv9_cargoBodyType. The type of body for buses and trucks more than 10,000 GVWR. |
cargoBodyTypeMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Cargo Body Type |
cargoBodyTypeMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Cargo Body Type |
contributingCircumstancesAttrCode | string | false | none | QuickCrash field: v24_contributingCircumstances. Pre-existing motor vehicle defects or maintenance conditions that may have. contributed to the crash. |
contributingCircumstancesAttrDisplayValue | string | false | none | QuickCrash field: v24_contributingCircumstances. Pre-existing motor vehicle defects or maintenance conditions that may have. contributed to the crash. |
contributingCircumstancesAttrId | integer(int64) | false | none | QuickCrash field: v24_contributingCircumstances. Pre-existing motor vehicle defects or maintenance conditions that may have. contributed to the crash. |
crashRelatedToHovHotLanesAttrCode | string | false | none | QuickCrash field: v14_crashRelatedToHOVHOTLanes |
crashRelatedToHovHotLanesAttrDisplayValue | string | false | none | QuickCrash field: v14_crashRelatedToHOVHOTLanes |
crashRelatedToHovHotLanesAttrId | integer(int64) | false | none | QuickCrash field: v14_crashRelatedToHOVHOTLanes |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
dateOfInsurancePolicyExpiration | string(date) | false | none | QuickCrash field: qcv9_insurancePolicyExpirationDateDate of insurance policy expiration |
directionOfTravelBeforeCrashAttrCode | string | false | none | QuickCrash field: v13_directionOfTravelBeforeCrash. The direction of a motor vehicle’s travel on the roadway before the crash. Notice that this is not a compass direction, but a direction consistent with the designated direction of the road. For example, the direction of a State-designated North-South highway. Must be either northbound or southbound even though a motor vehicle may have been traveling due east as a result of a short segment of the highway having an eastwest orientation. |
directionOfTravelBeforeCrashAttrDisplayValue | string | false | none | QuickCrash field: v13_directionOfTravelBeforeCrash. The direction of a motor vehicle’s travel on the roadway before the crash. Notice that this is not a compass direction, but a direction consistent with the designated direction of the road. For example, the direction of a State-designated North-South highway. Must be either northbound or southbound even though a motor vehicle may have been traveling due east as a result of a short segment of the highway having an eastwest orientation. |
directionOfTravelBeforeCrashAttrId | integer(int64) | false | none | QuickCrash field: v13_directionOfTravelBeforeCrash. The direction of a motor vehicle’s travel on the roadway before the crash. Notice that this is not a compass direction, but a direction consistent with the designated direction of the road. For example, the direction of a State-designated North-South highway. Must be either northbound or southbound even though a motor vehicle may have been traveling due east as a result of a short segment of the highway having an eastwest orientation. |
emergencyMotorVehicleUseAttrCode | string | false | none | QuickCrash field: v11_emergencyMotorVehicleUse. Indicates operation of any motor vehicle that is legally authorized by a government. Authority to respond to emergencies with or without the use of emergency warning. Equipment, such as a police vehicle, fire truck, or ambulance while actually engaged in such response. |
emergencyMotorVehicleUseAttrDisplayValue | string | false | none | QuickCrash field: v11_emergencyMotorVehicleUse. Indicates operation of any motor vehicle that is legally authorized by a government. Authority to respond to emergencies with or without the use of emergency warning. Equipment, such as a police vehicle, fire truck, or ambulance while actually engaged in such response. |
emergencyMotorVehicleUseAttrId | integer(int64) | false | none | QuickCrash field: v11_emergencyMotorVehicleUse. Indicates operation of any motor vehicle that is legally authorized by a government. Authority to respond to emergencies with or without the use of emergency warning. Equipment, such as a police vehicle, fire truck, or ambulance while actually engaged in such response. |
entityOrderedAttributes | [ExternalEntityOrderedAttribute] | false | none | Entity Ordered Attributes related to the vehicle |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
hasHmPlacardAttrCode | string | false | none | QuickCrash field: v8_hasHMPlacard |
hasHmPlacardAttrDisplayValue | string | false | none | QuickCrash field: v8_hasHMPlacard |
hasHmPlacardAttrId | integer(int64) | false | none | QuickCrash field: v8_hasHMPlacard |
hasHmPlacardMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Has Hm Placard |
hasHmPlacardMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Has Hm Placard |
hazardousMaterialsClassAttrCode | string | false | none | QuickCrash field: lv10_hazardousMaterialsClass |
hazardousMaterialsClassAttrDisplayValue | string | false | none | QuickCrash field: lv10_hazardousMaterialsClass |
hazardousMaterialsClassAttrId | integer(int64) | false | none | QuickCrash field: lv10_hazardousMaterialsClass |
hazardousMaterialsClassMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Hazardous Materials Class |
hazardousMaterialsClassMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Hazardous Materials Class |
hazardousMaterialsId | string | false | none | QuickCrash field: lv10_hazardousMaterialsId |
hazardousMaterialsInvolved | boolean | false | none | True if hazardous materials were involved |
hazardousMaterialsReleasedAttrCode | string | false | none | QuickCrash field: lv10_hazardousMaterialsReleased. Release of hazardous materials from a cargo compartment (e.g. trailer), cargo container (e.g. tank), or from a package? |
hazardousMaterialsReleasedAttrDisplayValue | string | false | none | QuickCrash field: lv10_hazardousMaterialsReleased. Release of hazardous materials from a cargo compartment (e.g. trailer), cargo container (e.g. tank), or from a package? |
hazardousMaterialsReleasedAttrId | integer(int64) | false | none | QuickCrash field: lv10_hazardousMaterialsReleased. Release of hazardous materials from a cargo compartment (e.g. trailer), cargo container (e.g. tank), or from a package? |
hazardousMaterialsReleasedMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Hazardous Materials Released |
hazardousMaterialsReleasedMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Hazardous Materials Released |
hitAndRunAttrCode | string | false | none | QuickCrash field: v22_hitAndRun. Refers to cases where the vehicle or the driver of the vehicle in transport is a contact vehicle in the crash and departs the scene without stopping to render aid or report the crash. |
hitAndRunAttrDisplayValue | string | false | none | QuickCrash field: v22_hitAndRun. Refers to cases where the vehicle or the driver of the vehicle in transport is a contact vehicle in the crash and departs the scene without stopping to render aid or report the crash. |
hitAndRunAttrId | integer(int64) | false | none | QuickCrash field: v22_hitAndRun. Refers to cases where the vehicle or the driver of the vehicle in transport is a contact vehicle in the crash and departs the scene without stopping to render aid or report the crash. |
initialPointOfContactAttrCode | string | false | none | QuickCrash field: v19_initialPointOfContact. Intended to collect the approximate contact point on this vehicle associated with this vehicle’s initial harmful event. |
initialPointOfContactAttrDisplayValue | string | false | none | QuickCrash field: v19_initialPointOfContact. Intended to collect the approximate contact point on this vehicle associated with this vehicle’s initial harmful event. |
initialPointOfContactAttrId | integer(int64) | false | none | QuickCrash field: v19_initialPointOfContact. Intended to collect the approximate contact point on this vehicle associated with this vehicle’s initial harmful event. |
isOwnedByNonInvolvedPerson | boolean | false | none | Whether the vehicle is owned by a person not involved in the crash |
licensePlateNumFirstTrailer | string | false | none | QuickCrash field: lv2_licensePlateNumFirstTrailer. License Plate 1 – Alphanumeric identifier |
licensePlateNumSecondTrailer | string | false | none | QuickCrash field: lv2_licensePlateNumSecondTrailer. License Plate 2 – Alphanumeric identifier |
licensePlateNumThirdTrailer | string | false | none | QuickCrash field: lv2_licensePlateNumThirdTrailer. License Plate 3 – Alphanumeric identifier |
makeIdFirstTrailer | integer(int64) | false | none | QuickCrash field: lv4_makeFirstTrailer. Make 1 – Name assigned by manufacturer |
makeIdSecondTrailer | integer(int64) | false | none | QuickCrash field: lv4_makeSecondTrailer. Make 2 – Name assigned by manufacturer |
makeIdThirdTrailer | integer(int64) | false | none | QuickCrash field: lv4_makeThirdTrailer. Make 3 – Name assigned by manufacturer |
makeNameFirstTrailer | string | false | none | QuickCrash field: lv4_makeFirstTrailer. Make 1 – Name assigned by manufacturer |
makeNameSecondTrailer | string | false | none | QuickCrash field: lv4_makeSecondTrailer. Make 2 – Name assigned by manufacturer |
makeNameThirdTrailer | string | false | none | QuickCrash field: lv4_makeThirdTrailer. Make 3 – Name assigned by manufacturer |
makeNcicCodeFirstTrailer | string | false | none | QuickCrash field: lv4_makeFirstTrailer. Make 1 – Name assigned by manufacturer |
makeNcicCodeSecondTrailer | string | false | none | QuickCrash field: lv4_makeSecondTrailer. Make 2 – Name assigned by manufacturer |
makeNcicCodeThirdTrailer | string | false | none | QuickCrash field: lv4_makeThirdTrailer. Make 3 – Name assigned by manufacturer |
makeOtherFirstTrailer | string | false | none | Make "Other" for first trailer |
makeOtherSecondTrailer | string | false | none | Make "Other" for second trailer |
makeOtherThirdTrailer | string | false | none | Make "Other" for third trailer |
maneuverAttrCode | string | false | none | QuickCrash field: v18_maneuver. The controlled maneuver for this motor vehicle prior to the beginning of the sequence of events. |
maneuverAttrDisplayValue | string | false | none | QuickCrash field: v18_maneuver. The controlled maneuver for this motor vehicle prior to the beginning of the sequence of events. |
maneuverAttrId | integer(int64) | false | none | QuickCrash field: v18_maneuver. The controlled maneuver for this motor vehicle prior to the beginning of the sequence of events. |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
modelIdFirstTrailer | integer(int64) | false | none | QuickCrash field: lv5_modelFirstTrailer. Model 1 – Name assigned by manufacturer |
modelIdSecondTrailer | integer(int64) | false | none | QuickCrash field: lv5_modelSecondTrailer. Model 2 – Name assigned by manufacturer |
modelIdThirdTrailer | integer(int64) | false | none | QuickCrash field: lv5_modelThirdTrailer. Model 3 – Name assigned by manufacturer |
modelNameFirstTrailer | string | false | none | QuickCrash field: lv5_modelFirstTrailer. Model 1 – Name assigned by manufacturer |
modelNameSecondTrailer | string | false | none | QuickCrash field: lv5_modelSecondTrailer. Model 2 – Name assigned by manufacturer |
modelNameThirdTrailer | string | false | none | QuickCrash field: lv5_modelThirdTrailer. Model 3 – Name assigned by manufacturer |
modelNcicCodeFirstTrailer | string | false | none | QuickCrash field: lv5_modelFirstTrailer. Model 1 – Name assigned by manufacturer |
modelNcicCodeSecondTrailer | string | false | none | QuickCrash field: lv5_modelSecondTrailer. Model 2 – Name assigned by manufacturer |
modelNcicCodeThirdTrailer | string | false | none | QuickCrash field: lv5_modelThirdTrailer. Model 3 – Name assigned by manufacturer |
modelOtherFirstTrailer | string | false | none | Model "Other" first trailer |
modelOtherSecondTrailer | string | false | none | Model "Other" second trailer |
modelOtherThirdTrailer | string | false | none | Model "Other" third trailer |
modelYearFirstTrailer | integer(int32) | false | none | QuickCrash field: lv6_modelYearFirstTrailer. Model Year 1 – Name assigned by manufacturer |
modelYearSecondTrailer | integer(int32) | false | none | QuickCrash field: lv6_modelYearSecondTrailer. Model Year 2 – Name assigned by manufacturer |
modelYearThirdTrailer | integer(int32) | false | none | QuickCrash field: lv6_modelYearThirdTrailer. Model Year 3 – Name assigned by manufacturer |
mostHarmfulEventAttrCode | string | false | none | QuickCrash field: v21_mostHarmfulEvent. Event that resulted in the most severe injury or, if no injury, the greatest property damage involving this motor vehicle. |
mostHarmfulEventAttrDisplayValue | string | false | none | QuickCrash field: v21_mostHarmfulEvent. Event that resulted in the most severe injury or, if no injury, the greatest property damage involving this motor vehicle. |
mostHarmfulEventAttrId | integer(int64) | false | none | QuickCrash field: v21_mostHarmfulEvent. Event that resulted in the most severe injury or, if no injury, the greatest property damage involving this motor vehicle. |
motorCarrierAddress | ExternalLocation | false | none | Motor Carrier Address |
motorCarrierIdentificationCarrierTypeAttrCode | string | false | none | QuickCrash field: lv7_motorCarrierIdentificationCarrierType |
motorCarrierIdentificationCarrierTypeAttrDisplayValue | string | false | none | QuickCrash field: lv7_motorCarrierIdentificationCarrierType |
motorCarrierIdentificationCarrierTypeAttrId | integer(int64) | false | none | QuickCrash field: lv7_motorCarrierIdentificationCarrierType |
motorCarrierIdentificationCarrierTypeMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Motor Carrier Identification Carrier Type |
motorCarrierIdentificationCarrierTypeMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Motor Carrier Identification Carrier Type |
motorCarrierIdentificationCountryOrStateCode | string | false | none | QuickCrash field: lv7_motorCarrierIdentificationCountryOrStateCode. Non-US Country Code (e.g. Mexico or Canada) US State Code. |
motorCarrierIdentificationName | string | false | none | Motor Carrier Name |
motorCarrierIdentificationNumber | string | false | none | QuickCrash field: lv7_motorCarrierIdentificationNumber. US DOT Number – up to 7 digits, right justified If not a US DOT Number, include State-issued Identification Number and State. |
motorCarrierIdentificationTypeAttrCode | string | false | none | QuickCrash field: lv7_motorCarrierIdentificationType |
motorCarrierIdentificationTypeAttrDisplayValue | string | false | none | QuickCrash field: lv7_motorCarrierIdentificationType |
motorCarrierIdentificationTypeAttrId | integer(int64) | false | none | QuickCrash field: lv7_motorCarrierIdentificationType |
motorCarrierIdentificationTypeMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Motor Carrier Identification Type |
motorCarrierIdentificationTypeMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Motor Carrier Identification Type |
motorVehicleAutomatedDrivingSystemsAttrCode | string | false | none | QuickCrash field: dv1_motorVehicleAutomatedDrivingSystems |
motorVehicleAutomatedDrivingSystemsAttrDisplayValue | string | false | none | QuickCrash field: dv1_motorVehicleAutomatedDrivingSystems |
motorVehicleAutomatedDrivingSystemsAttrId | integer(int64) | false | none | QuickCrash field: dv1_motorVehicleAutomatedDrivingSystems |
numTrailingUnitsAttrCode | string | false | none | QuickCrash field: v8_numTrailingUnits. Number of trailers |
numTrailingUnitsAttrDisplayValue | string | false | none | QuickCrash field: v8_numTrailingUnits. Number of trailers |
numTrailingUnitsAttrId | integer(int64) | false | none | QuickCrash field: v8_numTrailingUnits. Number of trailers |
postedSpeedLimit | integer(int32) | false | none | QuickCrash field: v12_postedSpeedLimit. The posted/statutory speed limit for the motor vehicle at the time of the crash. The. authorization may be indicated by the posted speed limit, blinking sign at construction. zones, etc.. In MPH. |
qcOwnerId | string | false | none | QuickCrash field: qcv1_ownerId |
quickCrashId | string | false | none | ID Assigned by Quick Crash |
quickCrashUnitTypeAttrCode | string | false | none | QuickCrash field: v2_unitType. Motor vehicle unit type assigned to uniquely identify each motor vehicleinvolved in the crash. Not assigned to non-motorists. |
quickCrashUnitTypeAttrDisplayValue | string | false | none | QuickCrash field: v2_unitTypeMotor vehicle unit type assigned to uniquely identify each motor vehicleinvolved in the crash. Not assigned to non-motorists. |
quickCrashUnitTypeAttrId | integer(int64) | false | none | QuickCrash field: v2_unitType. Motor vehicle unit type assigned to uniquely identify each motor vehicle involved in the crash. Not assigned to non-motorists. |
registrationStateOrCountry | string | false | none | QuickCrash field: v3_registrationStateOrCountry. The State, commonwealth, territory, Indian nation, U.S. Government, foreign country,. etc., issuing the registration plate. |
resultingExtentOfDamageAttrCode | string | false | none | QuickCrash field: v19_resultingExtentOfDamage |
resultingExtentOfDamageAttrDisplayValue | string | false | none | QuickCrash field: v19_resultingExtentOfDamage |
resultingExtentOfDamageAttrId | integer(int64) | false | none | QuickCrash field: v19_resultingExtentOfDamage |
roadwayGradeAttrCode | string | false | none | QuickCrash field: v16_roadwayGrade |
roadwayGradeAttrDisplayValue | string | false | none | QuickCrash field: v16_roadwayGrade |
roadwayGradeAttrId | integer(int64) | false | none | QuickCrash field: v16_roadwayGrade |
roadwayHorizontalAlignmentAttrCode | string | false | none | QuickCrash field: v16_roadwayHorizontalAlignment |
roadwayHorizontalAlignmentAttrDisplayValue | string | false | none | QuickCrash field: v16_roadwayHorizontalAlignment |
roadwayHorizontalAlignmentAttrId | integer(int64) | false | none | QuickCrash field: v16_roadwayHorizontalAlignment |
roadwayName | string | false | none | QuickCrash field: qcv7_roadwayName. Name of street/highway vehicle was traveling on |
specialFunctionAttrCode | string | false | none | QuickCrash field: v10_specialFunction. The type of special function being served by this vehicle regardless of whether the function is marked on the vehicle, at the time of the crash. Buses are any motor vehicle with seats to transport nine (9) or more people, including the driver seat, but not including vans owned and operated for personal use. |
specialFunctionAttrDisplayValue | string | false | none | QuickCrash field: v10_specialFunction. The type of special function being served by this vehicle regardless of whether the function is marked on the vehicle, at the time of the crash. Buses are any motor vehicle with seats to transport nine (9) or more people, including the driver seat, but not including vans owned and operated for personal use. |
specialFunctionAttrId | integer(int64) | false | none | QuickCrash field: v10_specialFunction. The type of special function being served by this vehicle regardless of whether the function is marked on the vehicle, at the time of the crash. Buses are any motor vehicle with seats to transport nine (9) or more people, including the driver seat, but not including vans owned and operated for personal use. |
specialFunctionMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Special Function |
specialFunctionMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Special Function |
totalAuxLanes | integer(int32) | false | none | QuickCrash field: v15_totalAuxLanes |
totalNumOfAxlesFirstTrailer | integer(int32) | false | none | QuickCrash field: lv11_totalNumOfAxlesFirstTrailer |
totalNumOfAxlesSecondTrailer | integer(int32) | false | none | QuickCrash field: lv11_totalNumOfAxlesSecondTrailer |
totalNumOfAxlesThirdTrailer | integer(int32) | false | none | QuickCrash field: lv11_totalNumOfAxlesThirdTrailer |
totalNumOfAxlesTruckTractor | integer(int32) | false | none | QuickCrash field: lv11_totalNumOfAxlesTruckTractor |
totalOccupantsInMotorVehicle | integer(int32) | false | none | QuickCrash field: v9_totalOccupantsInMotorVehicle |
totalThroughLanes | integer(int32) | false | none | QuickCrash field: v15_totalThroughLanes |
towedDueToDisablingDamageAttrCode | string | false | none | QuickCrash field: v23_towedDueToDisablingDamage. Disabling damage implies damage to the motor vehicle that is sufficient to require the motor vehicle to be towed or carried from the scene. “V23. Towed Due to Disabling Damage” identifies whether a vehicle involved in a crash is removed from the scene. Towing assistance without removal of the vehicle from the scene, such as pulling a vehicle out of a ditch, is not considered to be “towed” for the purposes of this element. |
towedDueToDisablingDamageAttrDisplayValue | string | false | none | QuickCrash field: v23_towedDueToDisablingDamage. Disabling damage implies damage to the motor vehicle that is sufficient to require the motor vehicle to be towed or carried from the scene. “V23. Towed Due to Disabling Damage” identifies whether a vehicle involved in a crash is removed from the scene. Towing assistance without removal of the vehicle from the scene, such as pulling a vehicle out of a ditch, is not considered to be “towed” for the purposes of this element. |
towedDueToDisablingDamageAttrId | integer(int64) | false | none | QuickCrash field: v23_towedDueToDisablingDamage. Disabling damage implies damage to the motor vehicle that is sufficient to require the motor vehicle to be towed or carried from the scene. “V23. Towed Due to Disabling Damage” identifies whether a vehicle involved in a crash is removed from the scene. Towing assistance without removal of the vehicle from the scene, such as pulling a vehicle out of a ditch, is not considered to be “towed” for the purposes of this element. |
towedDueToDisablingDamageMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Towed Due to Disabling Damage |
towedDueToDisablingDamageMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Towed Due to Disabling Damage |
trafficCrashEntityDetails | [ExternalTrafficCrashEntityDetail] | false | none | Entity Details related to the vehicle |
trafficwayBarrierTypeAttrCode | string | false | none | QuickCrash field: v14_trafficwayBarrierType |
trafficwayBarrierTypeAttrDisplayValue | string | false | none | QuickCrash field: v14_trafficwayBarrierType |
trafficwayBarrierTypeAttrId | integer(int64) | false | none | QuickCrash field: v14_trafficwayBarrierType |
trafficwayDividedAttrCode | string | false | none | QuickCrash field: v14_trafficwayDivided |
trafficwayDividedAttrDisplayValue | string | false | none | QuickCrash field: v14_trafficwayDivided |
trafficwayDividedAttrId | integer(int64) | false | none | QuickCrash field: v14_trafficwayDivided |
trafficwayDividedMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Trafficway Divided |
trafficwayDividedMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Trafficway Divided |
trafficwayHovHotLanesAttrCode | string | false | none | QuickCrash field: v14_trafficwayHOVHOTLanes |
trafficwayHovHotLanesAttrDisplayValue | string | false | none | QuickCrash field: v14_trafficwayHOVHOTLanes |
trafficwayHovHotLanesAttrId | integer(int64) | false | none | QuickCrash field: v14_trafficwayHOVHOTLanes |
trafficwayTravelDirectionsAttrCode | string | false | none | QuickCrash field: v14_trafficwayTravelDirections. One-Way/Two-Way etc |
trafficwayTravelDirectionsAttrDisplayValue | string | false | none | QuickCrash field: v14_trafficwayTravelDirections. One-Way/Two-Way etc |
trafficwayTravelDirectionsAttrId | integer(int64) | false | none | QuickCrash field: v14_trafficwayTravelDirections. One-Way/Two-Way etc |
trafficwayTravelDirectionsMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Trafficway Travel Direction |
trafficwayTravelDirectionsMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Trafficway Travel Direction |
unitNumber | integer(int32) | false | none | QuickCrash field: v2_unitNumberSequential number assigned to uniquely identify each motor vehicleinvolved in the crash. Not assigned to non-motorists. |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
vehicle | ExternalVehicle | false | none | The vehicle profile |
vehicleConfigurationAttrCode | string | false | none | QuickCrash field: lv8_vehicleConfiguration |
vehicleConfigurationAttrDisplayValue | string | false | none | QuickCrash field: lv8_vehicleConfiguration |
vehicleConfigurationAttrId | integer(int64) | false | none | QuickCrash field: lv8_vehicleConfiguration |
vehicleConfigurationMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Vehicle Config |
vehicleConfigurationMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Vehicle Config |
vehicleConfigurationPermittedAttrCode | string | false | none | QuickCrash field: lv8_vehicleConfigurationPermitted |
vehicleConfigurationPermittedAttrDisplayValue | string | false | none | QuickCrash field: lv8_vehicleConfigurationPermitted |
vehicleConfigurationPermittedAttrId | integer(int64) | false | none | QuickCrash field: lv8_vehicleConfigurationPermitted |
vehicleSizeAttrCode | string | false | none | QuickCrash field: v8_vehicleSize. Note: GVWR is used for single-unit trucks and other body types. GCWR is used for combination trucks or any vehicle with a trailing unit. |
vehicleSizeAttrDisplayValue | string | false | none | QuickCrash field: v8_vehicleSize. Note: GVWR is used for single-unit trucks and other body types. GCWR is used for combination trucks or any vehicle with a trailing unit. |
vehicleSizeAttrId | integer(int64) | false | none | QuickCrash field: v8_vehicleSize. Note: GVWR is used for single-unit trucks and other body types. GCWR is used for combination trucks or any vehicle with a trailing unit. |
vehicleSizeMmuccCode | string | false | none | Display abbreviation of the MMUCC attribute code for an attribute of type Vehicle Size |
vehicleSizeMmuccName | string | false | none | Display value of the MMUCC attribute code for an attribute of type Vehicle Size |
vinFirstTrailer | string | false | none | QuickCrash field: lv3_VINFirstTrailer. VIN 1 – Manufacturer-assigned number permanently affixed to trailer |
vinSecondTrailer | string | false | none | QuickCrash field: lv3_VINSecondTrailer. VIN 2 – Manufacturer-assigned number permanently affixed to trailer |
vinThirdTrailer | string | false | none | QuickCrash field: lv3_VINThirdTrailer. VIN 3 – Manufacturer-assigned number permanently affixed to trailer |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalUnit
{
"activeDateUtc": "2019-08-24T14:15:22Z",
"additionalUnitTypes": [
"string"
],
"agencyCode": "string",
"agencyOri": "string",
"agencyType": "POLICE",
"comments": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"dispatchAreaId": 0,
"dispatchAreaOverrideId": 0,
"equipmentType": [
"string"
],
"expirationDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isMemberRequired": true,
"isTemporary": true,
"mark43Id": 0,
"radioIds": [
"string"
],
"stationId": 0,
"stationName": "strin",
"stationOverrideId": 0,
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"tagNumber": "string",
"unitCallSign": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents CAD unit configuration details
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
activeDateUtc | string(date-time) | false | none | Date/time unit became active in UTC |
additionalUnitTypes | [string] | false | none | Display values of Unit Type attributes specified as this unit's additional unit types. Attribute Type: Unit Type |
agencyCode | string | false | none | Agency code of agency the unit is assigned to. One of agency code or agency ORI must be populated |
agencyOri | string | false | none | Agency ORI of agency the unit is assigned to. One of agency code or agency ORI must be populated |
agencyType | string | false | none | Display value of attribute denoting type of agency unit belongs to. Attribute Type: Agency Type Global |
comments | string | false | none | Comments that pertain to a temporary unit's involvement in an event |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
dispatchAreaId | integer(int64) | false | none | Mark43 ID of dispatch area the unit is assigned to |
dispatchAreaOverrideId | integer(int64) | false | none | Mark43 ID of overridden dispatch area for a unit. Used when a unit is dispatched to an area different from its configured dispatch area |
equipmentType | [string] | false | none | Display values of equipment attributes used by the unit on a consistent basis (e.g. GPS_PINGER, AEDs). Attribute Type: Equipment Type |
expirationDateUtc | string(date-time) | false | none | Date/time unit became inactive in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
isMemberRequired | boolean | false | none | True if members must be added to the unit |
isTemporary | boolean | false | none | True if the unit is temporary. Applies to units that do not use Mark43 CAD but are assisting in a Mark43 CAD event |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
radioIds | [string] | false | none | Radio IDs used by the unit Attribute Type: Radio ID |
stationId | integer(int64) | false | none | Station ID for units |
stationName | string | false | none | CAD station name |
stationOverrideId | integer(int64) | false | none | Overridden Station ID for units |
subdivision1 | string | false | none | Display value of subdivision attribute. Attribute Type: Subdivision Depth 1 |
subdivision2 | string | false | none | Display value of subdivision attribute. Attribute Type: Subdivision Depth 2 |
subdivision3 | string | false | none | Display value of subdivision attribute. Attribute Type: Subdivision Depth 3 |
subdivision4 | string | false | none | Display value of subdivision attribute. Attribute Type: Subdivision Depth 4 |
subdivision5 | string | false | none | Display value of subdivision attribute. Attribute Type: Subdivision Depth 5 |
tagNumber | string | false | none | Display value of attribute denoting tag number of unit's vehicle. Attribute Type: Tag Number |
unitCallSign | string | false | none | Unique call-sign of the unit |
unitType | string | false | none | Display value of attribute denoting primary unit type of unit (e.g. DETECTIVE, PATROL, SWAT). Attribute Type: Unit Type |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
agencyType | POLICE |
agencyType | FIRE |
agencyType | MEDICAL |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalUnitGpsUpdate
{
"altitude": 0,
"callSign": "string",
"gpsUpdatedDateUtc": "2019-08-24T14:15:22Z",
"hardwareIdentifier": "string",
"latitude": 0,
"loggedInUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"longitude": 0,
"rawGpsSentence": "string",
"speedKnots": 0,
"speedMph": 0,
"trueCourse": 0,
"unitId": 0
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
altitude | number(double) | false | none | Altitude |
callSign | string | false | none | Call sign of the unit to update. If a valid logged-in user is provided, only the location of the unit currently assigned to the logged-in user will be updated |
gpsUpdatedDateUtc | string(date-time) | false | none | Date/time of unit location update in UTC. Required if datestamp & timestamp are not provided |
hardwareIdentifier | string | true | none | Identifier or descriptor of GPS hardware |
latitude | number(double) | true | none | Latitude |
loggedInUser | ExternalUser | false | none | Logged-in user. Updates the location for any unit currently assigned to this user. Only used for inbound GPS updates. |
longitude | number(double) | true | none | Longitude |
rawGpsSentence | string | false | none | Raw source GPS data - expected in NMEA format. Value is stored for reference but is not used by Mark43 |
speedKnots | number(double) | false | none | Speed in knots. Only used for inbound GPS updates. |
speedMph | number(double) | false | none | Speed in mph. Only used for outbound GPS updates. |
trueCourse | number(double) | false | none | Directional true course up to 360 degrees |
unitId | integer(int64) | false | none | ID of the unit to update. If a valid logged-in user is provided, only the location of the unit currently assigned to the logged-in user will be updated |
ExternalUnitState
{
"agencyType": "POLICE",
"createdDateUtc": "2019-08-24T14:15:22Z",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isEventRelated": true,
"mark43Id": 0,
"maxTimeSpentInStatus": "string",
"unitStateGroup": "UNAVAILABLE",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents unit state configuration details
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
agencyType | string | false | none | Display value of attribute denoting the type of agency unit belongs to. Attribute Type: Agency Type Global |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
displayAbbreviation | string | false | none | Display abbreviation of unit state |
displayValue | string | false | none | Display name of unit state |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
isEventRelated | boolean | false | none | True if unit status is directly related to a CAD event |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
maxTimeSpentInStatus | string | false | none | Display value of attribute denoting maximum amount of time a CAD unit can be in a given status for a continuous duration. Attribute Type: Max Time Spent in Status |
unitStateGroup | string | false | none | Unit state group |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
agencyType | POLICE |
agencyType | FIRE |
agencyType | EMS |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
unitStateGroup | UNAVAILABLE |
unitStateGroup | UNMANNED |
unitStateGroup | AVAILABLE |
unitStateGroup | DIRECTED_PATROL |
unitStateGroup | ADMIN |
unitStateGroup | DISPATCHED |
unitStateGroup | EN_ROUTE |
unitStateGroup | AT_SCENE |
unitStateGroup | REPORT_WRITING |
unitStateGroup | TRANSPORT_EN_ROUTE |
unitStateGroup | TRANSPORT_ARRIVED |
unitStateGroup | PURSUIT_EN_ROUTE |
unitStateGroup | PURSUIT_ARRIVED |
unitStateGroup | RESPONDING_COURT_EN_ROUTE |
unitStateGroup | RESPONDING_COURT_ARRIVED |
unitStateGroup | SERVICE_ASSIGNMENT |
unitStateGroup | VIRTUAL_PATROL |
unitStateGroup | SPECIAL_ASSIGNMENT |
unitStateGroup | OFF_DUTY |
unitStateGroup | SYSTEM_DISPATCHED |
unitStateGroup | STAGING |
unitStateGroup | AVAILABLE_EVENT_RELATED |
unitStateGroup | AVAILABLE_NON_EVENT_RELATED |
unitStateGroup | OUT_OF_SERVICE |
unitStateGroup | EN_ROUTE_ALTERNATE |
ExternalUnitStatus
{
"assigningUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"createdDateUtc": "2019-08-24T14:15:22Z",
"eventMark43Id": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"isEventRelated": true,
"mark43Id": 0,
"previousEventMark43Id": 0,
"previousUnitState": "string",
"previousUnitStateCode": "string",
"rmsEventId": 0,
"unitMark43Id": 0,
"unitState": "string",
"unitStateCode": "string",
"unitStateGroup": "string",
"unitStatusDateUtc": "2019-08-24T14:15:22Z",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents unit status
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
assigningUser | ExternalUser | false | none | User that assigned the status to unit |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
eventMark43Id | integer(int64) | false | none | mark43Id of the event to which this unit status update is related |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
isEventRelated | boolean | false | none | True if status is directly related to the CAD Event |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
previousEventMark43Id | integer(int64) | false | none | mark43Id of the event with which the previous status for this unit was associated |
previousUnitState | string | false | none | Previous state unit was in (e.g. AVAILABLE, MEETING_SUPERVISOR) |
previousUnitStateCode | string | false | none | Abbreviation of previous unit state |
rmsEventId | integer(int64) | false | none | System identifier for the most recent unit status transition event |
unitMark43Id | integer(int64) | false | none | mark43Id of the Unit associated with this status update |
unitState | string | false | none | State the unit is in (e.g. AVAILABLE, MEETING_SUPERVISOR) |
unitStateCode | string | false | none | Abbreviation of unit state |
unitStateGroup | string | false | none | Category of state the unit is in |
unitStatusDateUtc | string(date-time) | false | none | Date/time unit entered the status in UTC |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalUseOfForce
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"didOfficerApproachAttrCode": "string",
"didOfficerApproachAttrDisplayValue": "string",
"didOfficerApproachAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"incidentResultedInCrimeReport": true,
"mark43Id": 0,
"medicalAidReceivedAttrCode": "string",
"medicalAidReceivedAttrDisplayValue": "string",
"medicalAidReceivedAttrId": 0,
"minimumNumberOfUnknownOfficersInvolved": 0,
"officerBadgeNumber": "string",
"officerDateOfBirth": "2019-08-24",
"officerDressAttrCode": "string",
"officerDressAttrDisplayValue": "string",
"officerDressAttrId": 0,
"officerDutyAssignment": "string",
"officerFullPartTimeAttrCode": "string",
"officerFullPartTimeAttrDisplayValue": "string",
"officerFullPartTimeAttrId": 0,
"officerHeight": 0,
"officerName": "string",
"officerRaceAttrCode": "string",
"officerRaceAttrDisplayValue": "string",
"officerRaceAttrId": 0,
"officerRank": "string",
"officerSexAttrCode": "string",
"officerSexAttrDisplayValue": "string",
"officerSexAttrId": 0,
"officerWeight": 0,
"officerYearsOfService": 0,
"onSceneSupervisorHumanResourcesNumber": "string",
"onSceneSupervisorUnit": "string",
"onSceneSupervisorUserProfileId": 0,
"otherOfficersInvolvedButUnknown": true,
"seniorOfficerPresentAttrCode": "string",
"seniorOfficerPresentAttrDisplayValue": "string",
"seniorOfficerPresentAttrId": 0,
"supervisorOnScene": true,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"useOfForceReasonAttrCode": "string",
"useOfForceReasonAttrDisplayValue": "string",
"useOfForceReasonAttrId": 0,
"useOfForceReasonOther": "string",
"useOfForceSubjects": [
{
"charges": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"deEscalationAttempted": true,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firearmDischargeAccidental": true,
"firearmDischargeIntentional": true,
"mark43Id": 0,
"numShotsFired": 0,
"numShotsHit": 0,
"officerAttemptedToDisarmSubject": true,
"officerDeceasedAsResultOfUseOfForce": true,
"officerInjuredAttrCode": "string",
"officerInjuredAttrDisplayValue": "string",
"officerInjuredAttrId": 0,
"officerUsedForceOnSubject": true,
"resistedAttrCode": "string",
"resistedAttrDisplayValue": "string",
"resistedAttrId": 0,
"shotsFiredAttrCode": "string",
"shotsFiredAttrDisplayValue": "string",
"shotsFiredAttrId": 0,
"subjectArrested": true,
"subjectBehaviorWasErratic": true,
"subjectConfirmedArmedWithAttrCode": "string",
"subjectConfirmedArmedWithAttrDisplayValue": "string",
"subjectConfirmedArmedWithAttrId": 0,
"subjectDeceasedAsResultOfUseOfForce": true,
"subjectDispositionAttrCode": "string",
"subjectDispositionAttrDisplayValue": "string",
"subjectDispositionAttrId": 0,
"subjectImpairmentAttrCode": "string",
"subjectImpairmentAttrDisplayValue": "string",
"subjectImpairmentAttrId": 0,
"subjectPerceivedArmedWithAttrCode": "string",
"subjectPerceivedArmedWithAttrDisplayValue": "string",
"subjectPerceivedArmedWithAttrId": 0,
"subjectUsedForceOnOfficer": true,
"threatDirectedAtAttrCode": "string",
"threatDirectedAtAttrDisplayValue": "string",
"threatDirectedAtAttrId": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"useOfForceSubjectDeEscalation": []
}
],
"wasOfficerAmbushedAttrCode": "string",
"wasOfficerAmbushedAttrDisplayValue": "string",
"wasOfficerAmbushedAttrId": 0,
"wasOfficerOnDutyAttrCode": "string",
"wasOfficerOnDutyAttrDisplayValue": "string",
"wasOfficerOnDutyAttrId": 0
}
Model that represents a report's use of force data create in or retrieved from the Mark43 RMS
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
didOfficerApproachAttrCode | string | false | none | Abbreviation of attribute for if the officer approached. Attribute Type: Use of Force Extended Boolean |
didOfficerApproachAttrDisplayValue | string | false | none | Display value of attribute for if the officer approached. Attribute Type: Use of Force Extended Boolean |
didOfficerApproachAttrId | integer(int64) | false | none | Id of attribute for if the officer approached. Attribute Type: Use of Force Extended Boolean |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
incidentResultedInCrimeReport | boolean | false | none | Did incident result in crime report? |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
medicalAidReceivedAttrCode | string | false | none | Abbreviation of attribute for medical aid the officer received. Attribute Type: Use Of Force Medical Aid Received |
medicalAidReceivedAttrDisplayValue | string | false | none | Display value of attribute for medical aid the officer received. Attribute Type: Use Of Force Medical Aid Received |
medicalAidReceivedAttrId | integer(int64) | false | none | Id of attribute for medical aid the officer received. Attribute Type: Use Of Force Medical Aid Received |
minimumNumberOfUnknownOfficersInvolved | integer(int32) | false | none | Minimum number of Unknown officers involved |
officerBadgeNumber | string | false | none | Badge number of the officer who used force |
officerDateOfBirth | string(date) | false | none | Date of birth of officer who used force |
officerDressAttrCode | string | false | none | Officer's attire. Attribute Type: Officer Dress |
officerDressAttrDisplayValue | string | false | none | Officer's attire. Attribute Type: Officer Dress |
officerDressAttrId | integer(int64) | false | none | Officer's attire. Attribute Type: Officer Dress |
officerDutyAssignment | string | false | none | Duty assignment of officer who used force |
officerFullPartTimeAttrCode | string | false | none | Abbreviation of attribute for if officer employed full time. Attribute Type: Use of Force Extended Boolean |
officerFullPartTimeAttrDisplayValue | string | false | none | Display value of attribute for if officer employed full time. Attribute Type: Use of Force Extended Boolean |
officerFullPartTimeAttrId | integer(int64) | false | none | Id of attribute for if officer employed full time. Attribute Type: Use of Force Extended Boolean |
officerHeight | integer(int32) | false | none | Height in inches |
officerName | string | false | none | Name of officer who used force |
officerRaceAttrCode | string | false | none | Officer's race. Attribute Type: Race |
officerRaceAttrDisplayValue | string | false | none | Officer's race. Attribute Type: Race |
officerRaceAttrId | integer(int64) | false | none | Officer's race. Attribute Type: Race |
officerRank | string | false | none | Rank of officer who used force |
officerSexAttrCode | string | false | none | Officer's sex. Attribute Type: Sex |
officerSexAttrDisplayValue | string | false | none | Officer's sex. Attribute Type: Sex |
officerSexAttrId | integer(int64) | false | none | Officer's sex. Attribute Type: Sex |
officerWeight | integer(int32) | false | none | Weight in pounds |
officerYearsOfService | integer(int32) | false | none | Number of years of service of the officer who used force |
onSceneSupervisorHumanResourcesNumber | string | false | none | On-scene supervisor human resources number |
onSceneSupervisorUnit | string | false | none | On-scene supervisor unit |
onSceneSupervisorUserProfileId | integer(int64) | false | none | On-scene supervisor user profile ID |
otherOfficersInvolvedButUnknown | boolean | false | none | Other Officers Involved but Unknown |
seniorOfficerPresentAttrCode | string | false | none | Abbreviation of attribute for is senior officer present. Attribute Type: Use of Force Extended Boolean |
seniorOfficerPresentAttrDisplayValue | string | false | none | Display value of attribute for is senior officer present. Attribute Type: Use of Force Extended Boolean |
seniorOfficerPresentAttrId | integer(int64) | false | none | Id of attribute for is senior officer present. Attribute Type: Use of Force Extended Boolean |
supervisorOnScene | boolean | false | none | supervisor on scene |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
useOfForceReasonAttrCode | string | false | none | Abbreviation of attribute for use of force reason. Attribute Type: Use Of Force Reason |
useOfForceReasonAttrDisplayValue | string | false | none | Display Value of attribute for use of force reason. Attribute Type: Use Of Force Reason |
useOfForceReasonAttrId | integer(int64) | false | none | Id of attribute for use of force reason. Attribute Type: Use Of Force Reason |
useOfForceReasonOther | string | false | none | Other for Use of Force Reason |
useOfForceSubjects | [ExternalUseOfForceSubject] | false | none | The subjects of the use of force report |
wasOfficerAmbushedAttrCode | string | false | none | Abbreviation of attribute for if the officer was ambushed. Attribute Type: Use of Force Extended Boolean |
wasOfficerAmbushedAttrDisplayValue | string | false | none | Display value of attribute for if the officer was ambushed. Attribute Type: Use of Force Extended Boolean |
wasOfficerAmbushedAttrId | integer(int64) | false | none | Id of attribute for if the officer was ambushed. Attribute Type: Use of Force Extended Boolean |
wasOfficerOnDutyAttrCode | string | false | none | Abbreviation of attribute for if the officer was on duty. Attribute Type: Use of Force Extended Boolean |
wasOfficerOnDutyAttrDisplayValue | string | false | none | Display value of attribute for if the officer was on duty. Attribute Type: Use of Force Extended Boolean |
wasOfficerOnDutyAttrId | integer(int64) | false | none | Id of attribute for if the officer was on duty. Attribute Type: Use of Force Extended Boolean |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalUseOfForceSubject
{
"charges": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"deEscalationAttempted": true,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firearmDischargeAccidental": true,
"firearmDischargeIntentional": true,
"mark43Id": 0,
"numShotsFired": 0,
"numShotsHit": 0,
"officerAttemptedToDisarmSubject": true,
"officerDeceasedAsResultOfUseOfForce": true,
"officerInjuredAttrCode": "string",
"officerInjuredAttrDisplayValue": "string",
"officerInjuredAttrId": 0,
"officerUsedForceOnSubject": true,
"resistedAttrCode": "string",
"resistedAttrDisplayValue": "string",
"resistedAttrId": 0,
"shotsFiredAttrCode": "string",
"shotsFiredAttrDisplayValue": "string",
"shotsFiredAttrId": 0,
"subjectArrested": true,
"subjectBehaviorWasErratic": true,
"subjectConfirmedArmedWithAttrCode": "string",
"subjectConfirmedArmedWithAttrDisplayValue": "string",
"subjectConfirmedArmedWithAttrId": 0,
"subjectDeceasedAsResultOfUseOfForce": true,
"subjectDispositionAttrCode": "string",
"subjectDispositionAttrDisplayValue": "string",
"subjectDispositionAttrId": 0,
"subjectImpairmentAttrCode": "string",
"subjectImpairmentAttrDisplayValue": "string",
"subjectImpairmentAttrId": 0,
"subjectPerceivedArmedWithAttrCode": "string",
"subjectPerceivedArmedWithAttrDisplayValue": "string",
"subjectPerceivedArmedWithAttrId": 0,
"subjectUsedForceOnOfficer": true,
"threatDirectedAtAttrCode": "string",
"threatDirectedAtAttrDisplayValue": "string",
"threatDirectedAtAttrId": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z",
"useOfForceSubjectDeEscalation": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"deEscalationSuccessful": true,
"deEscalationTypeAttrCode": "string",
"deEscalationTypeAttrDisplayValue": "string",
"deEscalationTypeAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
]
}
Model that represents a the subject of a use of force report
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
charges | string | false | none | The charges assigned to the subject |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
deEscalationAttempted | boolean | false | none | De-escalation attempted |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
firearmDischargeAccidental | boolean | false | none | Was firearm discharged by accident |
firearmDischargeIntentional | boolean | false | none | Was firearm discharged intentionally |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
numShotsFired | integer(int32) | false | none | Number of shots fired |
numShotsHit | integer(int32) | false | none | Number of shots hit |
officerAttemptedToDisarmSubject | boolean | false | none | Did officer attempt to disarm subject? |
officerDeceasedAsResultOfUseOfForce | boolean | false | none | Officer deceased as a result of subject force? |
officerInjuredAttrCode | string | false | none | Abbreviation of attribute for was the officer injured. Attribute Type: Use Of Force Extended Boolean |
officerInjuredAttrDisplayValue | string | false | none | Display value of attribute for was the officer injured. Attribute Type: Use Of Force Extended Boolean |
officerInjuredAttrId | integer(int64) | false | none | Id of attribute for was the officer injured. Attribute Type: Use Of Force Extended Boolean |
officerUsedForceOnSubject | boolean | false | none | Did officer use force on subject? |
resistedAttrCode | string | false | none | Abbreviation of attribute for subject resisted. Attribute Type: Use Of Force Extended Boolean |
resistedAttrDisplayValue | string | false | none | Display value of attribute for subject resisted. Attribute Type: Use Of Force Extended Boolean |
resistedAttrId | integer(int64) | false | none | Id of attribute for subject resisted. Attribute Type: Use Of Force Extended Boolean |
shotsFiredAttrCode | string | false | none | Abbreviation of attribute for shots were fired. Attribute Type: Use Of Force Extended Boolean |
shotsFiredAttrDisplayValue | string | false | none | Display value of attribute for shots were fired. Attribute Type: Use Of Force Extended Boolean |
shotsFiredAttrId | integer(int64) | false | none | Id of attribute for shots were fired. Attribute Type: Use Of Force Extended Boolean |
subjectArrested | boolean | false | none | Was subject arrested |
subjectBehaviorWasErratic | boolean | false | none | Did the subject behave erratically? |
subjectConfirmedArmedWithAttrCode | string | false | none | Abbreviation of attribute for subject was confirmed armed with. Attribute Type: Use Of Force Subject Confirmed Armed With |
subjectConfirmedArmedWithAttrDisplayValue | string | false | none | Display value of attribute for subject was confirmed armed with. Attribute Type: Use Of Force Subject Confirmed Armed With |
subjectConfirmedArmedWithAttrId | integer(int64) | false | none | Id of attribute for subject was confirmed armed with. Attribute Type: Use Of Force Subject Confirmed Armed With |
subjectDeceasedAsResultOfUseOfForce | boolean | false | none | Subject deceased as a result of officer force? |
subjectDispositionAttrCode | string | false | none | Abbreviation of attribute for subject disposition. Attribute Type: Use Of Force Subject Disposition |
subjectDispositionAttrDisplayValue | string | false | none | Display value of attribute for subject disposition. Attribute Type: Use Of Force Subject Disposition |
subjectDispositionAttrId | integer(int64) | false | none | Id of attribute for subject disposition. Attribute Type: Use Of Force Subject Disposition |
subjectImpairmentAttrCode | string | false | none | Abbreviation of attribute for subject impairments. Attribute Type: Use Of Force Extended Boolean |
subjectImpairmentAttrDisplayValue | string | false | none | Display value of attribute for subject impairments. Attribute Type: Use Of Force Extended Boolean |
subjectImpairmentAttrId | integer(int64) | false | none | Id of attribute for subject impairments. Attribute Type: Use Of Force Extended Boolean |
subjectPerceivedArmedWithAttrCode | string | false | none | Abbreviation of attribute for subject was perceived armed with. Attribute Type: Use Of Force Subject Perceived Armed With |
subjectPerceivedArmedWithAttrDisplayValue | string | false | none | Display value of attribute for subject was perceived armed with. Attribute Type: Use Of Force Subject Perceived Armed With |
subjectPerceivedArmedWithAttrId | integer(int64) | false | none | Id of attribute for subject was perceived armed with. Attribute Type: Use Of Force Subject Perceived Armed With |
subjectUsedForceOnOfficer | boolean | false | none | Did subject use force on officer? |
threatDirectedAtAttrCode | string | false | none | Abbreviation of attribute for threat directed at. Attribute Type: Use Of Force Subject Threat Directed At |
threatDirectedAtAttrDisplayValue | string | false | none | Display value of attribute for threat directed at. Attribute Type: Use Of Force Subject Threat Directed At |
threatDirectedAtAttrId | integer(int64) | false | none | Id of attribute for threat directed at. Attribute Type: Use Of Force Subject Threat Directed At |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
useOfForceSubjectDeEscalation | [ExternalUseOfForceSubjectDeEscalations] | false | none | The de-escalation information for the subject of force report |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalUseOfForceSubjectDeEscalations
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"deEscalationSuccessful": true,
"deEscalationTypeAttrCode": "string",
"deEscalationTypeAttrDisplayValue": "string",
"deEscalationTypeAttrId": 0,
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Model that represents a the de-escalation of a subject of a use of force report
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
deEscalationSuccessful | boolean | false | none | whether the de-escalation was successful |
deEscalationTypeAttrCode | string | false | none | Abbreviation of attribute for de-escalation type. Attribute Type: Use Of Force Subject DeEscalation Type |
deEscalationTypeAttrDisplayValue | string | false | none | Display value of attribute for de-escalation type. Attribute Type: Use Of Force Subject DeEscalation Type |
deEscalationTypeAttrId | integer(int64) | false | none | Id of attribute for de-escalation type. Attribute Type: Use Of Force Subject DeEscalation Type |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalUser
{
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
Model that represents a user in Mark43 RMS
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
actingRank | string | false | none | Display abbreviation of attribute indicating the user's acting rank. Attribute Type: Rank |
badgeNumber | string | false | none | Badge number of user |
branch | string | false | none | Display abbreviation of attribute indicating the user's current branch. Attribute Type: Branch |
bureau | string | false | none | Display abbreviation of attribute indicating the user's current bureau. Attribute Type: Bureau |
cityIdNumber | string | false | none | City ID number of user |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
currentAssignmentDate | string(date-time) | false | none | Date/time of the user's current assignment in UTC |
currentDutyStatus | string | false | none | Duty status of the unit (e.g. FULL, ADMIN_LEAVE, INACTIVE) |
currentDutyStatusDate | string(date) | false | none | Date that current duty status of the unit was enacted |
dateHired | string(date) | false | none | Date user was hired |
dateOfBirth | string(date) | false | none | Date of birth of user |
departmentAgencyId | integer(int64) | false | none | Identifier of the user's agency in the RMS |
division | string | false | none | Display abbreviation of attribute indicating the user's current division. Attribute Type: Division |
employeePhoneNumbers | [string] | false | none | A collection containing valid phone numbers for the user |
employeeTypeAbbrev | string | false | none | Display abbreviation indicating the type of employee that the user is (for example, Civilian vs. Sworn) Attribute Type: Employee Type |
externalCadId | string | false | none | Identifier of user in external CAD system. Often used as a key identifier in an agency |
externalHrId | string | false | none | Identifier of user in external HR system |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
firstName | string | false | none | First name of user |
gender | string | false | none | Display abbreviation of attribute indicating the user's gender. Attribute Type: Sex |
height | integer(int32) | false | none | User's height in inches |
isDisabled | boolean | false | none | True if the user's account is disabled/inactive |
isSsoUser | boolean | false | none | True if Single Sign-On is enabled for the user |
lastName | string | false | none | Last name of user |
licenseNumber | string | false | none | Driver's license number of user |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
mark43UserAccountRoleId | integer(int64) | false | none | Identifier of User Account Role in Mark43 RMS. Populated after creation |
mark43UserGroup | string | false | none | Primary user group, used for internal role tracking. If unknown, use "Other" |
middleName | string | false | none | Middle name of user |
mobileId | string | false | none | Mobile identifier of user |
officerEmploymentType | string | false | none | Display abbreviation of attribute indicating the user's Employment Type. Attribute Type: Officer Employment Type |
personnelUnit | string | false | none | Display abbreviation of attribute indicating the user's current personnel unit (e.g. PATROL, NARCOTICS). Attribute Type: Personnel Unit |
primaryEmail | string | false | none | Primary e-mail of user |
race | string | false | none | Display abbreviation of attribute indicating the user's race. Attribute Type: Race |
rank | string | false | none | Display abbreviation of attribute indicating the user's rank. Attribute Type: Rank |
roles | [string] | false | none | List of roles user should be assigned to |
signatureId | integer(int64) | false | none | File id of signature image for the user. |
skills | [string] | false | none | Display abbreviations of attributes indicating the user's skills/certifications. Attribute Type: User Skill |
ssn | string | false | none | Social Security Number of user |
startDateUtc | string(date-time) | false | none | Date/time the user started working at the department in UTC |
stateIdNumber | string | false | none | State ID number of user |
suffix | string | false | none | Suffix of user (e.g. Jr., Sr., Esq.) |
title | string | false | none | Title of user (e.g. Ms., Mr., Dr.) |
trainingAbbreviations | [string] | false | none | Display abbreviations of attributes indicating the user's completed trainings. Attribute Type: User Training |
trainingIdNumber | string | false | none | Training ID number of user |
updatedDateUtc | string(date-time) | false | none | Date/time entity was updated in the RMS in UTC |
weight | integer(int32) | false | none | User's weight in lbs |
yearsOfExperience | integer(int32) | false | none | User's years of experience |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
mark43UserGroup | CALL_TAKER |
mark43UserGroup | COMMAND_STAFF |
mark43UserGroup | CORRECTIONS |
mark43UserGroup | CRIME_ANALYST |
mark43UserGroup | DISPATCHER |
mark43UserGroup | DISPATCHER_SUPERVISOR |
mark43UserGroup | EVIDENCE_CLERK |
mark43UserGroup | EVIDENCE_SUPERVISOR |
mark43UserGroup | INVESTIGATOR |
mark43UserGroup | INVESTIGATOR_SUPERVISOR |
mark43UserGroup | IT |
mark43UserGroup | MARK43_INTERNAL |
mark43UserGroup | OTHER |
mark43UserGroup | PATROL |
mark43UserGroup | PATROL_SUPERVISOR |
mark43UserGroup | PROSECUTOR |
mark43UserGroup | RECORDS |
mark43UserGroup | RECORDS_SUPERVISOR |
ExternalUserCreationResult
{
"externalUser": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"validationErrorMessages": [
"string"
],
"warnings": {
"property1": "string",
"property2": "string"
}
}
Represents ExternalUser creation response
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
externalUser | ExternalUser | false | none | ExternalReport input object. Mark43Id is populated if no validation error occurred. |
validationErrorMessages | [string] | false | none | If the user failed validation, error message will be here |
warnings | object | false | none | Warnings generated during user creation |
» additionalProperties | string | false | none | none |
ExternalUserUpsertRequest
{
"mark43RolesToReplace": [
"string"
],
"usersToUpsert": [
{
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
}
]
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
mark43RolesToReplace | [string] | false | none | List of Roles to replace in Mark43. Any Roles previously assigned to a User in Mark43 that are not in this list will remain assigned to the user. Any Roles that are in this list will either be assigned or unassigned in Mark43 to the incoming User, depending on whether or not it is included in the ExternalUser's Roles property |
usersToUpsert | [ExternalUser] | false | none | List of ExternalUser objects to create or update in Mark43 |
ExternalVehicle
{
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"allowCreationWithoutVinOrPlate": true,
"barcodeValues": [
"string"
],
"bodyStyle": "string",
"bodyStyleDescription": "string",
"category": "string",
"categoryFullName": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"declaredValueUnknown": true,
"description": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"forfeitureValue": 0,
"insurancePolicyNumber": "string",
"insuranceProvider": "string",
"intakePerson": "string",
"isBiohazard": true,
"isImpounded": true,
"isInPoliceCustody": true,
"itemAttributes": [
{
"attributeType": "QC_TRAFFIC_CONTROLS_TYPE",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"parentAttributeId": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"licensePlateNumber": "string",
"linkedNames": [
{
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"linkType": "LinkTypes.OWNED_BY",
"linkedOrganization": {},
"linkedPerson": {},
"mark43Id": 0,
"nameItemAssociation": "string",
"nameItemAssociationDescription": "string",
"proofOfOwnershipDescription": "string",
"proofOfOwnershipType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"make": "string",
"makeNcicCode": "string",
"mark43Id": 0,
"masterId": 0,
"measurement": "string",
"mileage": 0,
"model": "string",
"modelNcicCode": "string",
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"ownerNotified": true,
"primaryColor": "string",
"primaryColorDisplayName": "string",
"propertyStatus": "string",
"quantity": 0,
"reasonForCustody": "string",
"recoveredAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"recoveredByOther": "string",
"recoveredDateUtc": "2019-08-24T14:15:22Z",
"recoveringOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"registrationState": "string",
"registrationType": "string",
"registrationYear": 0,
"secondaryColor": "string",
"serialNumber": "string",
"size": "string",
"statementOfFacts": "string",
"statusDateUtc": "2019-08-24T14:15:22Z",
"storageFacility": "string",
"storageLocation": "string",
"towingCompany": "string",
"towingCompanyOther": "string",
"towingLocation": "string",
"towingNumber": "string",
"type": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"value": 0,
"vehicleRecoveryType": "string",
"vehicleSearchConsentedTo": true,
"vehicleSearched": true,
"vinNumber": "string",
"yearOfManufacture": 0
}
Model that represents a vehicle associated with a report or CAD ticket
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
additionalDetails | object | false | none | Miscellaneous information associated with item |
» additionalProperties | string | false | none | none |
allowCreationWithoutVinOrPlate | boolean | false | none | Allows for the creation of vehicles without providing a license plate number or VIN |
barcodeValues | [string] | false | none | Barcodes of an item |
bodyStyle | string | false | none | Display abbreviation of attribute for vehicle body style. Attribute Type: Vehicle Body Style |
bodyStyleDescription | string | false | none | Free-text field to describe vehicle body style. Visible when style is an "Other" attribute |
category | string | true | none | Display abbreviation of attribute for category of item. Attribute Type: Item Category |
categoryFullName | string | false | none | Display full name of attribute for category of item. This field is not used for setting any information in Mark43, rather it is only used to return values. Attribute Type: Item Category |
contextId | integer(int64) | false | none | Identifier of entity, either person or organization, that an item is linked to. Populated only for evidence item retrieval |
contextType | string | false | none | Type of entity, either person or organization, that an item is linked to. Populated only for evidence item retrieval |
contextualId | integer(int64) | false | none | Identifier of person, organization, or item associated with entity in Mark43 RMS. Identifier is associated with current entity only. Populated after creation or on retrieval |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
declaredValueUnknown | boolean | false | none | True if value of item is unknown |
description | string | true | none | Description of item |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
forfeitureValue | number(double) | false | none | Value of vehicle upon forfeiture |
insurancePolicyNumber | string | false | none | Insurance policy number for vehicle |
insuranceProvider | string | false | none | Insurance provider for vehicle |
intakePerson | string | false | none | Person responsible for the intake of a recovered item |
isBiohazard | boolean | false | none | True if the item is a biohazard |
isImpounded | boolean | false | none | True if vehicle was impounded |
isInPoliceCustody | boolean | false | none | Indicates whether or not the item is In Police Custody |
itemAttributes | [ExternalItemAttribute] | false | none | Attributes relating to an item |
licensePlateNumber | string | false | none | License plate number of vehicle |
linkedNames | [ExternalNameItemLink] | false | none | Owner and claimant names associated with the item, belonging to both persons and organizations |
make | string | false | none | Make of item or vehicle. May be required by UCR/NIBRS. For vehicles, value must be in existing vehicle makes. For firearms, see ExternalFirearm.firearmMake |
makeNcicCode | string | false | none | NCIC code for vehicle make |
mark43Id | integer(int64) | false | none | Deprecated. Use contextualId field |
masterId | integer(int64) | false | none | Identifier of master person, organization, or item in Mark43 RMS. Unique identifier of person across entities. Populated after creation or on retrieval |
measurement | string | false | none | Display abbreviation of attribute for quantity measurement. Attribute Type: Drug Measurement |
mileage | integer(int32) | false | none | Mileage of vehicle |
model | string | false | none | Model of item, vehicle, or firearm. For vehicles, value must be in existing vehicle models |
modelNcicCode | string | false | none | NCIC code for vehicle model |
otherIdentifiers | object | false | none | Display abbreviation of attributes indicating other identifiers associated with an item. Rendered as a type: value pair. (e.g Evidence Bag: #123). Attribute Type: Item Identifier Type |
» additionalProperties | string | false | none | none |
ownerNotified | boolean | false | none | True if an attempt was made to contact the owner of a towed vehicle |
primaryColor | string | false | none | Display abbreviation of attribute for primary color of item. May be required by UCR/NIBRS. Attribute Type: Item Color |
primaryColorDisplayName | string | false | read-only | Display name of attribute for primary color of item. Attribute Type: Item Color |
propertyStatus | string | false | none | Display abbreviation of attribute for status of property. Attribute Type: Property Loss |
quantity | number(double) | false | none | Quantity of items. May be required by UCR/NIBRS |
reasonForCustody | string | false | none | Display abbreviation of attribute for reason for police custody of item. May be required by UCR/NIBRS. Attribute Type: Reason For Policy Custody Of Property |
recoveredAddress | ExternalLocation | false | none | Location where item was recovered. May be required by UCR/NIBRS |
recoveredByOther | string | false | none | Other recovering person |
recoveredDateUtc | string(date-time) | true | none | Date/time item was recovered in UTC |
recoveringOfficer | ExternalUser | false | none | User information to search for recovering officer. May be required by UCR/NIBRS |
registrationState | string | false | none | Display abbreviation of attribute for U.S. state of vehicle registration. Attribute Type: State |
registrationType | string | false | none | Type of vehicle registration |
registrationYear | integer(int32) | false | none | Year of vehicle registration |
secondaryColor | string | false | none | Display abbreviation of attribute for secondary color of item. Attribute Type: Item Color |
serialNumber | string | false | none | Serial number of item for items excluding vehicles |
size | string | false | none | Size of item |
statementOfFacts | string | false | none | Factual details regarding the recovery of an item |
statusDateUtc | string(date-time) | false | none | Date/time of property status in UTC |
storageFacility | string | false | none | Storage facility of item. May be required by UCR/NIBRS |
storageLocation | string | false | none | Storage location of item in facility |
towingCompany | string | false | none | Display abbreviation of attribute for towing company if vehicle was towed. Attribute Type: Tow Vehicle Tow Company |
towingCompanyOther | string | false | none | Free-text field to provide details about tow company. Can be used if tow company does not have an attribute in the RMS |
towingLocation | string | false | none | Towing location if vehicle was towed |
towingNumber | string | false | none | Towing number if vehicle was towed |
type | string | false | none | Display name of attribute for type of item (parent attribute of category). Attribute Type: Item Type |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
value | number(double) | false | none | Declared value of item. May be required by UCR/NIBRS |
vehicleRecoveryType | string | false | none | Display abbreviation of attribute for a stolen vehicle that has been recovered. Attribute Type: Vehicle Recovery Type |
vehicleSearchConsentedTo | boolean | false | none | True if consent was given for vehicle search |
vehicleSearched | boolean | false | none | True if vehicle was searched. May be required for UCR/NIBRS |
vinNumber | string | false | none | Vehicle Identification Number (VIN). May be required by UCR/NIBRS |
yearOfManufacture | integer(int32) | false | none | Year vehicle was manufactured |
Allowable Values
Property | Value |
---|---|
contextType | WARRANT |
contextType | WARRANT_SUBJECT |
contextType | LINKED_EXTERNAL_RECORD |
contextType | REPORT |
contextType | CASE |
contextType | CAD_EVENT |
contextType | CAD_EVENT_ADDITIONAL_INFO |
contextType | CAD_EVENT_INVOLVED_UNIT |
contextType | CAD_EVENT_INVOLVED_UNIT_STATUS |
contextType | TASK |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalVehicleSearchQuery
{
"bodyStyleAttributeIds": [
0
],
"bodyStyleDisplayValues": [
"string"
],
"description": "string",
"maxYearOfManufacture": 0,
"minYearOfManufacture": 0,
"primaryColorAttributeIds": [
0
],
"primaryColorDisplayValues": [
"string"
],
"registrationStateAttributeIds": [
0
],
"registrationStateDisplayValues": [
"string"
],
"secondaryColorAttributeIds": [
0
],
"secondaryColorDisplayValues": [
"string"
],
"tag": "string",
"updatedDateRangeEndUtc": "2019-08-24T14:15:22Z",
"updatedDateRangeStartUtc": "2019-08-24T14:15:22Z",
"vehicleMakeNames": [
"string"
],
"vehicleMakeOthers": [
"string"
],
"vehicleModelNames": [
"string"
],
"vehicleModelOthers": [
"string"
],
"vinNumber": "string",
"yearOfManufacture": 0
}
Contains fields for searching vehicle profiles
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
bodyStyleAttributeIds | [integer] | false | none | mark43Id values of Vehicle Body Style Attributes |
bodyStyleDisplayValues | [string] | false | none | Display Values of Vehicle Body Style Attributes |
description | string | false | none | Vehicle Description |
maxYearOfManufacture | integer(int32) | false | none | Maximum year of manufacture |
minYearOfManufacture | integer(int32) | false | none | Minimum year of manufacture |
primaryColorAttributeIds | [integer] | false | none | mark43Id values of Item Color Attributes |
primaryColorDisplayValues | [string] | false | none | Display Values of Item Color Attributes |
registrationStateAttributeIds | [integer] | false | none | mark43Id values of Registration State Attributes |
registrationStateDisplayValues | [string] | false | none | Display Values of Registration State Attributes |
secondaryColorAttributeIds | [integer] | false | none | mark43Id values of Item Color Attributes |
secondaryColorDisplayValues | [string] | false | none | Display Values of Item Color Attributes |
tag | string | false | none | License Plate / Tag |
updatedDateRangeEndUtc | string(date-time) | false | none | Updated Date Range End UTC |
updatedDateRangeStartUtc | string(date-time) | false | none | Updated Date Range Start UTC |
vehicleMakeNames | [string] | false | none | Vehicle Make Names |
vehicleMakeOthers | [string] | false | none | Vehicle Make other field values |
vehicleModelNames | [string] | false | none | Vehicle Model Names |
vehicleModelOthers | [string] | false | none | Vehicle Model other field values |
vinNumber | string | false | none | VIN (Vehicle Identification Number) |
yearOfManufacture | integer(int32) | false | none | Year of manufacture, exact |
ExternalWarrant
{
"arrestNotes": "string",
"arrestNumber": "string",
"attachments": [
{
"attachmentInBase64": [],
"fileName": "string"
}
],
"bailAmount": 1500,
"courtCaseNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"enteredBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"enteredDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"hasNightService": true,
"internalWarrantWorkflowStatus": "string",
"internalWarrantWorkflowStatusDescription": "string",
"isOtherJurisdiction": true,
"issuingAgencyName": "string",
"issuingAgencyOri": "string",
"issuingCourtAddress": "string",
"issuingCourtName": "string",
"issuingCourtOri": "string",
"issuingCourtPhoneNumber": "string",
"issuingJudge": "string",
"mark43ArrestId": "string",
"mark43Id": 0,
"noBail": true,
"obtainingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"obtainingOfficerFreeText": "string",
"originatingAgencyCaseNumber": "string",
"regionalMessageSwitchNumber": "string",
"reportingEventNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"warrantActivities": [
{
"activityDateUtc": "2019-08-24T14:15:22Z",
"activityPerformedBy": {},
"activityType": "string",
"activityTypeDescription": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"notes": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"warrantNumber": "string"
}
],
"warrantAttributes": [
{
"attributeType": "WARRANT_STATISTIC",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"warrantCharges": [
{
"charge": "string",
"count": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"offenseClassification": "string",
"offenseClassificationDescription": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
],
"warrantEntryLevelCode": "string",
"warrantEntryLevelCodeDescription": "string",
"warrantIssuedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"warrantNotes": "string",
"warrantNumber": "string",
"warrantReceivedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantStatus": "string",
"warrantStatusDateUtc": "2019-08-24T14:15:22Z",
"warrantSubject": {
"additionalDetails": {
"property1": "string",
"property2": "string"
},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {
"property1": "string",
"property2": "string"
},
"emergencyContacts": [
{}
],
"employmentHistories": [
{}
],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"homeAddresses": [
{}
],
"identifyingMarks": [
{}
],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [
"string"
],
"otherIdentifiers": {
"property1": "string",
"property2": "string"
},
"personAttributes": [
{}
],
"personGangTrackings": [
{}
],
"personInjuries": [
{}
],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {
"property1": "string",
"property2": "string"
},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [
{}
],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"workAddresses": [
{}
]
},
"warrantType": "string"
}
Model that represents a warrant and its associated attachments
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
arrestNotes | string | false | none | Notes about a warrant associated with an arrest |
arrestNumber | string | false | none | Optional arrest number that this warrant will be tied to. Used to look up arrest |
attachments | [ExternalWarrantAttachment] | false | none | List of attachments (and their bytes) tied to this warrant. Filenames must be unique within warrant |
bailAmount | number(double) | false | none | Bail set for arrest on warrant. Must parse to a Double |
courtCaseNumber | string | false | none | Optional case number of the court associated with this warrant |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
enteredBy | ExternalUser | false | none | User who entered the warrant |
enteredDateUtc | string(date-time) | false | none | Date/time the warrant was entered in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
hasNightService | boolean | false | none | Indicates if a warrant can be served at night |
internalWarrantWorkflowStatus | string | false | none | Display abbreviation of attribute denoting internal warrant workflow status. Attribute Type: Internal Warrant Status |
internalWarrantWorkflowStatusDescription | string | false | none | Description of internal warrant status attribute |
isOtherJurisdiction | boolean | false | none | True if warrant was issued by an external jurisdiction |
issuingAgencyName | string | false | none | Display abbreviation of attribute indicating the name of agency that issued the warrant. Attribute Type: Issuing Agency Name |
issuingAgencyOri | string | false | none | ORI of agency that issued the warrant |
issuingCourtAddress | string | false | none | Address of the court that issued the warrant |
issuingCourtName | string | false | none | Name of the court that issued the warrant |
issuingCourtOri | string | false | none | ORI of court that issued the warrant |
issuingCourtPhoneNumber | string | false | none | Phone number of the court that issued the warrant |
issuingJudge | string | false | none | Name of the judge who issued the warrant |
mark43ArrestId | string | false | none | Mark43 identifying number that a warrant associated with an arrest will be tied to |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
noBail | boolean | false | none | Indicates if no bail is set for the warrant. Required if bailAmount is null |
obtainingOfficer | ExternalUser | true | none | Officer who obtained the warrant |
obtainingOfficerFreeText | string | false | none | Name of the obtaining officer. Only used if obtainingOfficer is null. This raw text is displayed on the warrant |
originatingAgencyCaseNumber | string | false | none | Originating agency Case Number for the warrant |
regionalMessageSwitchNumber | string | false | none | Number assigned to the warrant by the regional message switch |
reportingEventNumber | string | false | none | Optional REN (Case Number) that this warrant will be tied to. Used to look up report |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
warrantActivities | [ExternalWarrantActivity] | false | none | List of activities tied to the warrant |
warrantAttributes | [ExternalWarrantAttribute] | false | none | List of attributes tied to the warrant |
warrantCharges | [ExternalWarrantCharge] | false | none | Set of charges on the warrant |
warrantEntryLevelCode | string | false | none | Display value of attribute code denoting the offense level of the crime for which the warrant was issued. Attribute type: Warrant Entry Level Code |
warrantEntryLevelCodeDescription | string | false | none | Description of warrant entry level code attribute |
warrantIssuedDateUtc | string(date-time) | true | none | Date/time the warrant was issued in UTC |
warrantLocation | ExternalLocation | false | none | Location of warrant. Usage varies per warrant type |
warrantNotes | string | false | none | Free-text field for warrant note details |
warrantNumber | string | true | none | Number identifying the warrant |
warrantReceivedDateUtc | string(date-time) | false | none | Date/time the warrant was received in UTC |
warrantStatus | string | true | none | Display value of attribute indicating status of warrant on retrievals. When upserting, populate with attribute abbreviation. Attribute Type: Warrant Status |
warrantStatusDateUtc | string(date-time) | true | none | Date/time the warrant status was last updated in UTC |
warrantSubject | ExternalPerson | true | none | Subject tied to warrant |
warrantType | string | true | none | Display abbreviation of attribute indicating the type of warrant. Attribute Type: Warrant Type |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalWarrantActivitiesResult
{
"activities": [
{
"activityDateUtc": "2019-08-24T14:15:22Z",
"activityPerformedBy": {},
"activityType": "string",
"activityTypeDescription": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"notes": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"warrantNumber": "string"
}
],
"validationErrorMessages": [
"string"
],
"warnings": {
"property1": "string",
"property2": "string"
}
}
Represents ExternalWarrantActivity creation/update response
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
activities | [ExternalWarrantActivity] | false | none | List of ExternalWarrantActivity objects created or updated. Mark43Id is populated if no validation error occurred. |
validationErrorMessages | [string] | false | none | If the warrant failed validation, error message will be here |
warnings | object | false | none | Warnings generated during report creation |
» additionalProperties | string | false | none | none |
ExternalWarrantActivity
{
"activityDateUtc": "2019-08-24T14:15:22Z",
"activityPerformedBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [
"string"
],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [
"string"
],
"signatureId": 0,
"skills": [
"string"
],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [
"string"
],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"activityType": "string",
"activityTypeDescription": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"notes": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"warrantNumber": "string"
}
Activities performed on this warrant
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
activityDateUtc | string(date-time) | false | none | Date/time the activity was performed in UTC |
activityPerformedBy | ExternalUser | false | none | User who performed the activity |
activityType | string | false | none | Display value of attribute denoting type of activity performed. Attribute Type: Warrant Activity Type |
activityTypeDescription | string | false | none | Description of warrant activity type attribute |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
notes | string | false | none | Notes about the warrant activity |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
warrantNumber | string | true | none | Number identifying the warrant this activity is related to |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalWarrantAttachment
{
"attachmentInBase64": [
"string"
],
"fileName": "string"
}
File to be attached to this warrant
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
attachmentInBase64 | [string] | false | none | Base64 encoded bytes for this file |
fileName | string | false | none | Name of the file |
ExternalWarrantAttribute
{
"attributeType": "WARRANT_STATISTIC",
"createdDateUtc": "2019-08-24T14:15:22Z",
"description": "string",
"displayAbbreviation": "string",
"displayValue": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Describes attributes associated to this warrant
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
attributeType | string | true | none | Attribute Type associated with ExternalWarrant |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
description | string | false | none | Attribute description associated with ExternalWarrant |
displayAbbreviation | string | false | none | Display abbreviation of attribute associated with ExternalWarrant. Required if displayValue is not specified |
displayValue | string | false | none | Display value of attribute associated with ExternalWarrant. Required if displayAbbreviation is not specified |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
attributeType | WARRANT_STATISTIC |
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalWarrantCharge
{
"charge": "string",
"count": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"mark43Id": 0,
"offenseClassification": "string",
"offenseClassificationDescription": "string",
"offenseDateUtc": "2019-08-24T14:15:22Z",
"updatedDateUtc": "2019-08-24T14:15:22Z"
}
Describes a charge associated to a given warrant
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
charge | string | false | none | Name of the charge on the warrant |
count | integer(int32) | false | none | Number of counts for a specific charge |
createdDateUtc | string(date-time) | false | read-only | Date/time entity was created in Mark43 RMS in UTC |
externalId | string | false | none | Identifier of entity in external system |
externalSystem | string | false | none | Name of external system. In conjunction with the externalId, these values allow Mark43 to map external entities to internal Mark43 entities. These two fields may need to be populated when submitting multiple versions of the same entity to ensure that incoming entities are de-duplicated or updated appropriately |
externalType | string | false | read-only | Type of external entity |
mark43Id | integer(int64) | false | read-only | Identifier of entity in Mark43 RMS. Populated after successful entity creation and retrieval |
offenseClassification | string | false | none | Display abbreviation of attribute denoting the offense classification for the charge. Attribute Type: Offense Classification |
offenseClassificationDescription | string | false | none | Description of offense classification attribute |
offenseDateUtc | string(date-time) | false | none | Date/time the offense occurred in UTC |
updatedDateUtc | string(date-time) | false | read-only | Date/time entity was updated in Mark43 RMS in UTC |
Allowable Values
Property | Value |
---|---|
externalType | WARRANT |
externalType | WARRANT_SUBJECT |
externalType | LINKED_EXTERNAL_RECORD |
externalType | REPORT |
externalType | CASE |
externalType | CAD_EVENT |
externalType | CAD_EVENT_ADDITIONAL_INFO |
externalType | CAD_EVENT_INVOLVED_UNIT |
externalType | CAD_EVENT_INVOLVED_UNIT_STATUS |
externalType | TASK |
ExternalWarrantResult
{
"validationErrorMessages": [
"string"
],
"warnings": {
"property1": "string",
"property2": "string"
},
"warrant": {
"arrestNotes": "string",
"arrestNumber": "string",
"attachments": [
{}
],
"bailAmount": 1500,
"courtCaseNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"enteredBy": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"enteredDateUtc": "2019-08-24T14:15:22Z",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"hasNightService": true,
"internalWarrantWorkflowStatus": "string",
"internalWarrantWorkflowStatusDescription": "string",
"isOtherJurisdiction": true,
"issuingAgencyName": "string",
"issuingAgencyOri": "string",
"issuingCourtAddress": "string",
"issuingCourtName": "string",
"issuingCourtOri": "string",
"issuingCourtPhoneNumber": "string",
"issuingJudge": "string",
"mark43ArrestId": "string",
"mark43Id": 0,
"noBail": true,
"obtainingOfficer": {
"actingRank": "string",
"badgeNumber": "string",
"branch": "string",
"bureau": "string",
"cityIdNumber": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"currentAssignmentDate": "2019-08-24T14:15:22Z",
"currentDutyStatus": "string",
"currentDutyStatusDate": "2019-08-24",
"dateHired": "2019-08-24",
"dateOfBirth": "2019-08-24",
"departmentAgencyId": 0,
"division": "string",
"employeePhoneNumbers": [],
"employeeTypeAbbrev": "string",
"externalCadId": "string",
"externalHrId": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"firstName": "string",
"gender": "string",
"height": 0,
"isDisabled": true,
"isSsoUser": true,
"lastName": "string",
"licenseNumber": "string",
"mark43Id": 0,
"mark43UserAccountRoleId": 0,
"mark43UserGroup": "CALL_TAKER",
"middleName": "string",
"mobileId": "string",
"officerEmploymentType": "string",
"personnelUnit": "string",
"primaryEmail": "string",
"race": "string",
"rank": "string",
"roles": [],
"signatureId": 0,
"skills": [],
"ssn": "string",
"startDateUtc": "2019-08-24T14:15:22Z",
"stateIdNumber": "string",
"suffix": "string",
"title": "string",
"trainingAbbreviations": [],
"trainingIdNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"weight": 0,
"yearsOfExperience": 0
},
"obtainingOfficerFreeText": "string",
"originatingAgencyCaseNumber": "string",
"regionalMessageSwitchNumber": "string",
"reportingEventNumber": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"warrantActivities": [
{}
],
"warrantAttributes": [
{}
],
"warrantCharges": [
{}
],
"warrantEntryLevelCode": "string",
"warrantEntryLevelCodeDescription": "string",
"warrantIssuedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantLocation": {
"additionalDescription": "string",
"apartmentNumber": "string",
"category": "string",
"city": "string",
"classifyFlag": true,
"country": "string",
"county": "string",
"createdDateUtc": "2019-08-24T14:15:22Z",
"crossStreet1": "string",
"crossStreet2": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"fireSubdivision1": "string",
"fireSubdivision2": "string",
"fireSubdivision3": "string",
"fireSubdivision4": "string",
"fireSubdivision5": "string",
"fullAddress": "string",
"ignoreValidations": true,
"latitude": 0,
"levelName": "string",
"levelType": "string",
"locationPropertyType": "string",
"longitude": 0,
"mark43Id": 0,
"medicalSubdivision1": "string",
"medicalSubdivision2": "string",
"medicalSubdivision3": "string",
"medicalSubdivision4": "string",
"medicalSubdivision5": "string",
"placeName": "string",
"resolveLocationFlag": true,
"state": "string",
"statePlaneX": 0,
"statePlaneY": 0,
"statePlaneZone": "string",
"streetAddress": "string",
"streetName": "string",
"streetNumber": "string",
"subPremise": "string",
"subdivision1": "string",
"subdivision2": "string",
"subdivision3": "string",
"subdivision4": "string",
"subdivision5": "string",
"unitName": "string",
"unitType": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"zip": "string"
},
"warrantNotes": "string",
"warrantNumber": "string",
"warrantReceivedDateUtc": "1990-11-20T03:17:00.000Z",
"warrantStatus": "string",
"warrantStatusDateUtc": "2019-08-24T14:15:22Z",
"warrantSubject": {
"additionalDetails": {},
"build": "string",
"citizenship": "string",
"contextId": 0,
"contextType": "WARRANT",
"contextualId": 0,
"createdDateUtc": "2019-08-24T14:15:22Z",
"dateOfBirth": "2019-08-24",
"dateOfBirthRangeEnd": "2019-08-24",
"dateOfBirthRangeStart": "2019-08-24",
"dateOfDeath": "2019-08-24T14:15:22Z",
"declaredDateOfDeath": "2019-08-24",
"description": "string",
"email": "string",
"emailType": "string",
"emails": {},
"emergencyContacts": [],
"employmentHistories": [],
"ethnicity": "string",
"ethnicityDisplayName": "string",
"externalId": "string",
"externalSystem": "string",
"externalType": "WARRANT",
"eyeColor": "string",
"eyeColorDisplayName": "string",
"facialHair": "string",
"fbiNumber": "string",
"firstName": "string",
"hairColor": "string",
"hairLength": "string",
"hairStyle": "string",
"hasNoFixedHomeAddress": true,
"height": 0,
"homeAddress": {},
"homeAddresses": [],
"identifyingMarks": [],
"involvement": "INVOLVED_PERSON_IN_REPORT",
"involvementSequenceNumber": 0,
"isDateOfBirthUnknown": true,
"isJuvenile": true,
"isNonDisclosureRequest": true,
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseStatus": "string",
"licenseType": "string",
"maritalStatus": "string",
"mark43Id": 0,
"masterId": 0,
"maxHeight": 0,
"maxWeight": 0,
"middleName": "string",
"minHeight": 0,
"minWeight": 0,
"mugshotWebServerFilePath": "string",
"needsInterpreter": true,
"nickname": "string",
"nicknames": [],
"otherIdentifiers": {},
"personAttributes": [],
"personGangTrackings": [],
"personInjuries": [],
"phoneNumber": "string",
"phoneNumberType": "string",
"phoneNumbers": {},
"placeOfBirth": "string",
"race": "string",
"raceDisplayName": "string",
"residentStatus": "string",
"schoolHistories": [],
"sex": "string",
"sexDisplayName": "string",
"skinTone": "string",
"ssn": "string",
"stateIdNumber": "string",
"stateOfBirth": "string",
"subjectType": "string",
"subjectTypeDescription": "string",
"suffix": "string",
"title": "string",
"updatedDateUtc": "2019-08-24T14:15:22Z",
"vision": "string",
"weight": 0,
"workAddress": {},
"workAddresses": []
},
"warrantType": "string"
}
}
Represents ExternalReport creation response
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
validationErrorMessages | [string] | false | none | If the warrant failed validation, error message will be here |
warnings | object | false | none | Warnings generated during warrant creation |
» additionalProperties | string | false | none | none |
warrant | ExternalWarrant | false | none | ExternalWarrant object created or updated. Mark43Id is populated if no validation error occurred. |
ExternalWarrantSearchQuery
{
"courtCaseNumber": "string",
"isLinkedToArrest": true,
"issuingAgencyOri": "string",
"reportingEventNumbers": [
"string"
],
"subjectPerson": {
"dateOfBirth": "2019-08-24",
"ethnicity": "string",
"firstName": "string",
"identifyingMarks": [
{}
],
"lastName": "string",
"licenseNumber": "string",
"licenseState": "string",
"licenseType": "string",
"personIdentifiers": {
"property1": "string",
"property2": "string"
},
"race": "string",
"ssn": "string",
"stateIdNumber": "string"
},
"warrantIssuedDateRange": {
"endDateUtc": "2019-08-24T14:15:22Z",
"startDateUtc": "2019-08-24T14:15:22Z",
"withinLastPeriod": "string"
},
"warrantNumber": [
"string"
],
"warrantType": "string",
"warrantUpdatedDateRange": {
"endDateUtc": "2019-08-24T14:15:22Z",
"startDateUtc": "2019-08-24T14:15:22Z",
"withinLastPeriod": "string"
}
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
courtCaseNumber | string | false | none | Court case number to search for associated warrants |
isLinkedToArrest | boolean | false | none | True if the result should only include warrants associated with arrest reports |
issuingAgencyOri | string | false | none | Issuing Agency ORI to search for associated warrants |
reportingEventNumbers | [string] | false | none | Reporting Event Numbers to search for associated warrants |
subjectPerson | ExternalPersonSearchQuery | false | none | Person Profile search criteria for associated warrants |
warrantIssuedDateRange | ExternalDateRangeSearchQuery | false | none | Warrant Issue date search criteria |
warrantNumber | [string] | false | none | Warrant Numbers to search for associated warrants |
warrantType | string | false | none | Display abbreviation of attribute for warrant type. Attribute Type: Warrant Type |
warrantUpdatedDateRange | ExternalDateRangeSearchQuery | false | none | Warrant updated date search criteria |
FormDataBodyPart
{
"contentDisposition": {
"creationDate": "2019-08-24T14:15:22Z",
"fileName": "string",
"modificationDate": "2019-08-24T14:15:22Z",
"parameters": {
"property1": "string",
"property2": "string"
},
"readDate": "2019-08-24T14:15:22Z",
"size": 0,
"type": "string"
},
"entity": {},
"formDataContentDisposition": {
"creationDate": "2019-08-24T14:15:22Z",
"fileName": "string",
"modificationDate": "2019-08-24T14:15:22Z",
"name": "string",
"parameters": {
"property1": "string",
"property2": "string"
},
"readDate": "2019-08-24T14:15:22Z",
"size": 0,
"type": "string"
},
"headers": {
"property1": [
"string"
],
"property2": [
"string"
]
},
"mediaType": {
"parameters": {
"property1": "string",
"property2": "string"
},
"subtype": "string",
"type": "string",
"wildcardSubtype": true,
"wildcardType": true
},
"messageBodyWorkers": {},
"name": "string",
"parameterizedHeaders": {
"property1": [
{}
],
"property2": [
{}
]
},
"parent": {
"bodyParts": [
{}
],
"contentDisposition": {
"creationDate": "2019-08-24T14:15:22Z",
"fileName": "string",
"modificationDate": "2019-08-24T14:15:22Z",
"parameters": {},
"readDate": "2019-08-24T14:15:22Z",
"size": 0,
"type": "string"
},
"entity": {},
"headers": {
"property1": [],
"property2": []
},
"mediaType": {
"parameters": {},
"subtype": "string",
"type": "string",
"wildcardSubtype": true,
"wildcardType": true
},
"messageBodyWorkers": {},
"parameterizedHeaders": {
"property1": [],
"property2": []
},
"parent": {
"bodyParts": [],
"contentDisposition": {},
"entity": {},
"headers": {},
"mediaType": {},
"messageBodyWorkers": {},
"parameterizedHeaders": {},
"parent": {},
"providers": {}
},
"providers": {}
},
"providers": {},
"simple": true,
"value": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
contentDisposition | ContentDisposition | true | none | none |
entity | object | true | none | none |
formDataContentDisposition | FormDataContentDisposition | true | none | none |
headers | object | true | none | none |
» additionalProperties | [string] | false | none | none |
mediaType | MediaType | true | none | none |
messageBodyWorkers | MessageBodyWorkers | true | none | none |
name | string | true | none | none |
parameterizedHeaders | object | true | none | none |
» additionalProperties | [ParameterizedHeader] | false | none | none |
parent | MultiPart | true | none | none |
providers | Providers | true | none | none |
simple | boolean | true | none | none |
value | string | true | none | none |
FormDataContentDisposition
{
"creationDate": "2019-08-24T14:15:22Z",
"fileName": "string",
"modificationDate": "2019-08-24T14:15:22Z",
"name": "string",
"parameters": {
"property1": "string",
"property2": "string"
},
"readDate": "2019-08-24T14:15:22Z",
"size": 0,
"type": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
creationDate | string(date-time) | true | none | none |
fileName | string | true | none | none |
modificationDate | string(date-time) | true | none | none |
name | string | true | none | none |
parameters | object | true | none | none |
» additionalProperties | string | false | none | none |
readDate | string(date-time) | true | none | none |
size | integer(int64) | true | none | none |
type | string | true | none | none |
FormDataMultiPart
{
"bodyParts": [
{
"contentDisposition": {},
"entity": {},
"headers": {},
"mediaType": {},
"messageBodyWorkers": {},
"parameterizedHeaders": {},
"parent": {},
"providers": {}
}
],
"contentDisposition": {
"creationDate": "2019-08-24T14:15:22Z",
"fileName": "string",
"modificationDate": "2019-08-24T14:15:22Z",
"parameters": {
"property1": "string",
"property2": "string"
},
"readDate": "2019-08-24T14:15:22Z",
"size": 0,
"type": "string"
},
"entity": {},
"fields": {
"property1": [
{}
],
"property2": [
{}
]
},
"headers": {
"property1": [
"string"
],
"property2": [
"string"
]
},
"mediaType": {
"parameters": {
"property1": "string",
"property2": "string"
},
"subtype": "string",
"type": "string",
"wildcardSubtype": true,
"wildcardType": true
},
"messageBodyWorkers": {},
"parameterizedHeaders": {
"property1": [
{}
],
"property2": [
{}
]
},
"parent": {
"bodyParts": [
{}
],
"contentDisposition": {
"creationDate": "2019-08-24T14:15:22Z",
"fileName": "string",
"modificationDate": "2019-08-24T14:15:22Z",
"parameters": {},
"readDate": "2019-08-24T14:15:22Z",
"size": 0,
"type": "string"
},
"entity": {},
"headers": {
"property1": [],
"property2": []
},
"mediaType": {
"parameters": {},
"subtype": "string",
"type": "string",
"wildcardSubtype": true,
"wildcardType": true
},
"messageBodyWorkers": {},
"parameterizedHeaders": {
"property1": [],
"property2": []
},
"parent": {
"bodyParts": [],
"contentDisposition": {},
"entity": {},
"headers": {},
"mediaType": {},
"messageBodyWorkers": {},
"parameterizedHeaders": {},
"parent": {},
"providers": {}
},
"providers": {}
},
"providers": {}
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
bodyParts | [BodyPart] | true | none | none |
contentDisposition | ContentDisposition | true | none | none |
entity | object | true | none | none |
fields | object | true | none | none |
» additionalProperties | [FormDataBodyPart] | false | none | none |
headers | object | true | none | none |
» additionalProperties | [string] | false | none | none |
mediaType | MediaType | true | none | none |
messageBodyWorkers | MessageBodyWorkers | true | none | none |
parameterizedHeaders | object | true | none | none |
» additionalProperties | [ParameterizedHeader] | false | none | none |
parent | MultiPart | true | none | none |
providers | Providers | true | none | none |
MediaType
{
"parameters": {
"property1": "string",
"property2": "string"
},
"subtype": "string",
"type": "string",
"wildcardSubtype": true,
"wildcardType": true
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
parameters | object | true | none | none |
» additionalProperties | string | false | none | none |
subtype | string | true | none | none |
type | string | true | none | none |
wildcardSubtype | boolean | true | none | none |
wildcardType | boolean | true | none | none |
MessageBodyWorkers
{}
Properties
None
MultiPart
{
"bodyParts": [
{
"contentDisposition": {},
"entity": {},
"headers": {},
"mediaType": {},
"messageBodyWorkers": {},
"parameterizedHeaders": {},
"parent": {},
"providers": {}
}
],
"contentDisposition": {
"creationDate": "2019-08-24T14:15:22Z",
"fileName": "string",
"modificationDate": "2019-08-24T14:15:22Z",
"parameters": {
"property1": "string",
"property2": "string"
},
"readDate": "2019-08-24T14:15:22Z",
"size": 0,
"type": "string"
},
"entity": {},
"headers": {
"property1": [
"string"
],
"property2": [
"string"
]
},
"mediaType": {
"parameters": {
"property1": "string",
"property2": "string"
},
"subtype": "string",
"type": "string",
"wildcardSubtype": true,
"wildcardType": true
},
"messageBodyWorkers": {},
"parameterizedHeaders": {
"property1": [
{}
],
"property2": [
{}
]
},
"parent": {
"bodyParts": [
{}
],
"contentDisposition": {
"creationDate": "2019-08-24T14:15:22Z",
"fileName": "string",
"modificationDate": "2019-08-24T14:15:22Z",
"parameters": {},
"readDate": "2019-08-24T14:15:22Z",
"size": 0,
"type": "string"
},
"entity": {},
"headers": {
"property1": [],
"property2": []
},
"mediaType": {
"parameters": {},
"subtype": "string",
"type": "string",
"wildcardSubtype": true,
"wildcardType": true
},
"messageBodyWorkers": {},
"parameterizedHeaders": {
"property1": [],
"property2": []
},
"parent": {
"bodyParts": [],
"contentDisposition": {},
"entity": {},
"headers": {},
"mediaType": {},
"messageBodyWorkers": {},
"parameterizedHeaders": {},
"parent": {},
"providers": {}
},
"providers": {}
},
"providers": {}
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
bodyParts | [BodyPart] | true | none | none |
contentDisposition | ContentDisposition | true | none | none |
entity | object | true | none | none |
headers | object | true | none | none |
» additionalProperties | [string] | false | none | none |
mediaType | MediaType | true | none | none |
messageBodyWorkers | MessageBodyWorkers | true | none | none |
parameterizedHeaders | object | true | none | none |
» additionalProperties | [ParameterizedHeader] | false | none | none |
parent | MultiPart | true | none | none |
providers | Providers | true | none | none |
NJE911Call
{
"agencyCode": "string",
"callCenterName": "string",
"callDateUtc": "2019-08-24T14:15:22Z",
"callerAddress": "string",
"callerLocationArea": "string",
"callerName": "string",
"callerSubPremise": "string",
"callingPhoneNumber": "string",
"classOfService": "string",
"companyId": "string",
"confidencePercentage": "string",
"countryCode": "UNDEFINED",
"e911StationId": "string",
"externalCallTakerStationId": "string",
"externalPhoneCallId": "string",
"latitude": 0,
"longitude": 0,
"phoneNumber": "string",
"phoneServiceArea": "string",
"phoneServiceStatusCode": "string",
"pilotPhoneNumber": "string",
"rawData": "string",
"rawE911Buffer": "string",
"retryCount": 0,
"source": "string",
"sourceSystemCode": "string",
"stationId": "string",
"subscriberAddressType": "string",
"subscriberBuildingFloor": "strin",
"subscriberBuildingLocation": "string",
"subscriberBuildingName": "st",
"subscriberLocality": "string",
"subscriberLocationDetails": "string",
"subscriberName": "string",
"subscriberStateCode": "st",
"subscriberStreetDirection": "str",
"subscriberStreetDirectionPreFix": "str",
"subscriberStreetName": "string",
"subscriberStreetNumber": "string",
"subscriberStreetNumberTrailer": "stri",
"subscriberStreetSuffix": "stri",
"subscriberUnitNumber": "string",
"towerAltitude": "string",
"towerLatitude": 0,
"towerLongitude": 0,
"uncertaintyFactor": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
agencyCode | string | false | none | none |
callCenterName | string | false | none | none |
callDateUtc | string(date-time) | false | none | none |
callerAddress | string | false | none | none |
callerLocationArea | string | false | none | none |
callerName | string | false | none | none |
callerSubPremise | string | false | none | none |
callingPhoneNumber | string | false | none | none |
classOfService | string | false | none | none |
companyId | string | false | none | none |
confidencePercentage | string | false | none | none |
countryCode | string | true | none | none |
e911StationId | string | false | none | none |
externalCallTakerStationId | string | false | none | none |
externalPhoneCallId | string | false | none | none |
latitude | number(double) | false | none | none |
longitude | number(double) | false | none | none |
phoneNumber | string | false | none | none |
phoneServiceArea | string | false | none | none |
phoneServiceStatusCode | string | false | none | none |
pilotPhoneNumber | string | false | none | none |
rawData | string | true | none | none |
rawE911Buffer | string | true | none | none |
retryCount | integer(int32) | false | none | none |
source | string | false | none | none |
sourceSystemCode | string | false | none | none |
stationId | string | false | none | none |
subscriberAddressType | string | false | none | none |
subscriberBuildingFloor | string | false | none | none |
subscriberBuildingLocation | string | false | none | none |
subscriberBuildingName | string | false | none | none |
subscriberLocality | string | false | none | none |
subscriberLocationDetails | string | false | none | none |
subscriberName | string | false | none | none |
subscriberStateCode | string | false | none | none |
subscriberStreetDirection | string | false | none | none |
subscriberStreetDirectionPreFix | string | false | none | none |
subscriberStreetName | string | false | none | none |
subscriberStreetNumber | string | false | none | none |
subscriberStreetNumberTrailer | string | false | none | none |
subscriberStreetSuffix | string | false | none | none |
subscriberUnitNumber | string | false | none | none |
towerAltitude | string | false | none | none |
towerLatitude | number(double) | false | none | none |
towerLongitude | number(double) | false | none | none |
uncertaintyFactor | string | false | none | none |
Allowable Values
Property | Value |
---|---|
countryCode | UNDEFINED |
countryCode | AC |
countryCode | AD |
countryCode | AE |
countryCode | AF |
countryCode | AG |
countryCode | AI |
countryCode | AL |
countryCode | AM |
countryCode | AN |
countryCode | AO |
countryCode | AQ |
countryCode | AR |
countryCode | AS |
countryCode | AT |
countryCode | AU |
countryCode | AW |
countryCode | AX |
countryCode | AZ |
countryCode | BA |
countryCode | BB |
countryCode | BD |
countryCode | BE |
countryCode | BF |
countryCode | BG |
countryCode | BH |
countryCode | BI |
countryCode | BJ |
countryCode | BL |
countryCode | BM |
countryCode | BN |
countryCode | BO |
countryCode | BQ |
countryCode | BR |
countryCode | BS |
countryCode | BT |
countryCode | BU |
countryCode | BV |
countryCode | BW |
countryCode | BY |
countryCode | BZ |
countryCode | CA |
countryCode | CC |
countryCode | CD |
countryCode | CF |
countryCode | CG |
countryCode | CH |
countryCode | CI |
countryCode | CK |
countryCode | CL |
countryCode | CM |
countryCode | CN |
countryCode | CO |
countryCode | CP |
countryCode | CR |
countryCode | CS |
countryCode | CU |
countryCode | CV |
countryCode | CW |
countryCode | CX |
countryCode | CY |
countryCode | CZ |
countryCode | DE |
countryCode | DG |
countryCode | DJ |
countryCode | DK |
countryCode | DM |
countryCode | DO |
countryCode | DZ |
countryCode | EA |
countryCode | EC |
countryCode | EE |
countryCode | EG |
countryCode | EH |
countryCode | ER |
countryCode | ES |
countryCode | ET |
countryCode | EU |
countryCode | FI |
countryCode | FJ |
countryCode | FK |
countryCode | FM |
countryCode | FO |
countryCode | FR |
countryCode | FX |
countryCode | GA |
countryCode | GB |
countryCode | GD |
countryCode | GE |
countryCode | GF |
countryCode | GG |
countryCode | GH |
countryCode | GI |
countryCode | GL |
countryCode | GM |
countryCode | GN |
countryCode | GP |
countryCode | GQ |
countryCode | GR |
countryCode | GS |
countryCode | GT |
countryCode | GU |
countryCode | GW |
countryCode | GY |
countryCode | HK |
countryCode | HM |
countryCode | HN |
countryCode | HR |
countryCode | HT |
countryCode | HU |
countryCode | IC |
countryCode | ID |
countryCode | IE |
countryCode | IL |
countryCode | IM |
countryCode | IN |
countryCode | IO |
countryCode | IQ |
countryCode | IR |
countryCode | IS |
countryCode | IT |
countryCode | JE |
countryCode | JM |
countryCode | JO |
countryCode | JP |
countryCode | KE |
countryCode | KG |
countryCode | KH |
countryCode | KI |
countryCode | KM |
countryCode | KN |
countryCode | KP |
countryCode | KR |
countryCode | KW |
countryCode | KY |
countryCode | KZ |
countryCode | LA |
countryCode | LB |
countryCode | LC |
countryCode | LI |
countryCode | LK |
countryCode | LR |
countryCode | LS |
countryCode | LT |
countryCode | LU |
countryCode | LV |
countryCode | LY |
countryCode | MA |
countryCode | MC |
countryCode | MD |
countryCode | ME |
countryCode | MF |
countryCode | MG |
countryCode | MH |
countryCode | MK |
countryCode | ML |
countryCode | MM |
countryCode | MN |
countryCode | MO |
countryCode | MP |
countryCode | MQ |
countryCode | MR |
countryCode | MS |
countryCode | MT |
countryCode | MU |
countryCode | MV |
countryCode | MW |
countryCode | MX |
countryCode | MY |
countryCode | MZ |
countryCode | NA |
countryCode | NC |
countryCode | NE |
countryCode | NF |
countryCode | NG |
countryCode | NI |
countryCode | NL |
countryCode | NO |
countryCode | NP |
countryCode | NR |
countryCode | NT |
countryCode | NU |
countryCode | NZ |
countryCode | OM |
countryCode | PA |
countryCode | PE |
countryCode | PF |
countryCode | PG |
countryCode | PH |
countryCode | PK |
countryCode | PL |
countryCode | PM |
countryCode | PN |
countryCode | PR |
countryCode | PS |
countryCode | PT |
countryCode | PW |
countryCode | PY |
countryCode | QA |
countryCode | RE |
countryCode | RO |
countryCode | RS |
countryCode | RU |
countryCode | RW |
countryCode | SA |
countryCode | SB |
countryCode | SC |
countryCode | SD |
countryCode | SE |
countryCode | SF |
countryCode | SG |
countryCode | SH |
countryCode | SI |
countryCode | SJ |
countryCode | SK |
countryCode | SL |
countryCode | SM |
countryCode | SN |
countryCode | SO |
countryCode | SR |
countryCode | SS |
countryCode | ST |
countryCode | SU |
countryCode | SV |
countryCode | SX |
countryCode | SY |
countryCode | SZ |
countryCode | TA |
countryCode | TC |
countryCode | TD |
countryCode | TF |
countryCode | TG |
countryCode | TH |
countryCode | TJ |
countryCode | TK |
countryCode | TL |
countryCode | TM |
countryCode | TN |
countryCode | TO |
countryCode | TP |
countryCode | TR |
countryCode | TT |
countryCode | TV |
countryCode | TW |
countryCode | TZ |
countryCode | UA |
countryCode | UG |
countryCode | UK |
countryCode | UM |
countryCode | US |
countryCode | UY |
countryCode | UZ |
countryCode | VA |
countryCode | VC |
countryCode | VE |
countryCode | VG |
countryCode | VI |
countryCode | VN |
countryCode | VU |
countryCode | WF |
countryCode | WS |
countryCode | XK |
countryCode | YE |
countryCode | YT |
countryCode | YU |
countryCode | ZA |
countryCode | ZM |
countryCode | ZR |
countryCode | ZW |
ParameterizedHeader
{
"parameters": {
"property1": "string",
"property2": "string"
},
"value": "string"
}
Properties
Name | Type | Required | Restrictions | Description |
---|---|---|---|---|
parameters | object | true | none | none |
» additionalProperties | string | false | none | none |
value | string | true | none | none |
Providers
{}
Properties
None
Additional Model Information
Department User Lookups
Mark43 API creation endpoints will attempt to look up the corresponding active users in Mark43 for officers associated with reports and CAD tickets.
The CAD ticket creation endpoint attempts to match officers first by ExternalUser.externalCadId
, followed by ExternalUser.badgeNumber
.
Report creation endpoints attempt to match officers first by ExternalUser.primaryEmail
, then by ExternalUser.badgeNumber
, and lastly, by ExternalUser.externalHrId
.
If multiple users with the same ID are found for matches on ID fields that are not unique, lookups will use ExternalUser.lastName
to identify a matching active user.
Note that report and CAD ticket creation endpoints do not create new user profiles.
Item Creation: Property, Firearm, and Vehicle
Items in Mark43 are categorized into the following types: property*, firearm, and vehicle.
All items will have populated ExternalItemBase
fields. Items of special types will additionally populate type-specific fields.
Item Type | Model Definition |
---|---|
Property |
ExternalItemBase fields |
Firearm |
ExternalItemBase fields + ExternalFirearm fields |
Vehicle |
ExternalItemBase fields + ExternalVehicle fields |
*Property
refers to a non-firearm or non-vehicle item, such as a wallet.
Vehicle Creation
For evidence vehicles and vehicles involved in CAD tickets, Citation Reports, and Traffic Crash Reports, creation endpoints will attempt to search for an existing master profile before creating a new one.
Vehicles will be linked to an existing master profile if there is an exact match on the following fields:
- Tag Number / License Plate Number
- VIN
If an existing master profile is found, a new linked profile specific to the report or CAD ticket is created with the input vehicle information. If an existing linked profile is found for the current report or CAD ticket, the linked profile is updated with the input vehicle information.
For vehicle creation on other report types, or if no matching profile is found, new master and linked person profiles will be created if the following fields are populated:
- Tag Number / License Plate Number
If the license plate number is not populated, the vehicle will not be created by default and the endpoint response will include a warning indicating that vehicles were not created due to missing fields.
An additional flag can be set on the model to allow for the creation of vehicles without a Tag Number / License Plate Number:
- allowCreationWithoutVinOrPlate
This flag is useful for situations in which only partial vehicle information is known, such as a 'hit and run' incident. Note that vehicle creation without a Tag or License Plate Number is not the default behavior, so as to avoid the creation of duplicate vehicle profiles.
Location Creation
Endpoints will attempt to find existing addresses to prevent duplicate location creation. The full address (concatenated location address component fields or ExternalLocation.fullAddress
) will be matched against full existing addresses.
If ExternalLocation.fullAddress
is populated, the location will be resolved from the full address field.
If ExternalLocation.streetNumber
or ExternalLocation.streetName
is populated, the location will be detected as a street address. The existing address match will be done on a concatenation of:
- Street Number
- Street Name
- City
- State
- Zip
- Country
If ExternalLocation.crossStreet1
and ExternalLocation.crossStreet2
are populated and ExternalLocation.streetName
is not, the location will be detected as an intersection. The existing address match will be done on a concatenation of:
- Cross Street 1
- Cross Street 2
- City
- State
- Zip
- Country
Identical input location information should generate the same ExternalLocation.mark43Id
in the creation response.
Names: Person & Organization Models
ExternalCitation.citationRecipientPerson:
{
"externalId": "recipient_external_id",
"involvement": "SUBJECT_IN_CITATION",
"firstName": "Recipient First Name",
"lastName": "Recipient Last Name",
"dateOfBirth": "2000-01-01"
}
ExternalCitation.citationVehicle.linkedNames:
[
{
"externalId": "recipient_external_id"
}
]
Names in Mark43 refer to persons or organizations associated with CAD tickets, reports, warrants, and items.
For both persons and organizations on all models, creation endpoints will use the externalId
field to identify duplicate profiles within the same request.
No additional information needs to be populated for the additional fields where the identical person appears.
The first person field must still abide by the requirements detailed in the Person Creation section below.
For example, if a Citation recipient is also the owner of an involved vehicle, the sample values shown at right for recipient
person and vehicle fields ensure that only one person profile is created. After report creation,
this can be verified by comparing the mark43Id
fields for persons in the creation response.
Person Creation
For persons involved in CAD tickets and reports, creation endpoints will attempt to search for an existing master profile before creating a new one.
Persons will be linked to an existing master profile if there is an exact match on:
- Reporting Event Number (REN)
- First Name
- Last Name
- Date of Birth
or
- First Name
- Last Name
- Date of Birth
- One of: Driver's License Number, SSN, or Name Identifier
If an existing master profile is found, a new linked profile specific to the report or CAD ticket is created with the input person information. If an existing linked profile is found for the current report or CAD ticket, the linked profile is updated with the input person information.
For person creation on other report types, or if no matching profile is found, new master and linked person profiles will be created if the following fields are populated:
- First Name
- Last Name
- Date of Birth
If one or more of the fields above is not populated, an unknown person profile will be created with the input person information.
Developer Terms of Use Agreement
Last Updated: January 15, 2021
PLEASE READ THIS DEVELOPER TERMS OF USE AGREEMENT (“AGREEMENT”) CAREFULLY. BY ACCESSING OR USING THIS WEBSITE AND ITS SUBDOMAINS (COLLECTIVELY, THIS “WEBSITE”) OR ANY OF THE OTHER MARK43 MATERIALS (DEFINED BELOW), YOU REPRESENT THAT (1) YOU HAVE READ AND AGREE TO BE BOUND BY THIS AGREEMENT, (2) YOU ARE OF LEGAL AGE TO FORM A BINDING CONTRACT WITH MARK43, INC. (“MARK43” OR “WE”), AND (3) YOU HAVE THE AUTHORITY TO ENTER INTO THIS AGREEMENT PERSONALLY OR ON BEHALF OF THE ENTITY YOU REPRESENT, AND TO BIND THAT ENTITY TO THIS AGREEMENT. THE TERM “YOU” REFERS TO THE INDIVIDUAL OR SUCH ENTITY, AS APPLICABLE, THAT ACCESSES OR USES THIS WEBSITE OR ANY OTHER MARK43 MATERIALS. IF YOU DO NOT AGREE TO ALL OF THE TERMS OF THIS AGREEMENT, YOU MUST NOT ACCESS OR USE THIS WEBSITE OR ANY OF THE MARK43 MATERIALS.
PLEASE NOTE THAT THIS AGREEMENT IS SUBJECT TO CHANGE BY MARK43 IN ITS SOLE DISCRETION AT ANY TIME. When changes are made, Mark43 will make a new copy of this Agreement available at this Website. We will also update the “Last Updated” date at the top of this Agreement. If we make any material changes, and you have registered with us to create a Developer Account (as defined in Section 1.2 below) we will also send an email to you at the last email address you provided to us pursuant to this Agreement. Any changes to this Agreement will be effective immediately for new users of the Mark43 Materials, and will be effective for existing users upon the earlier of (a) thirty (30) days after the “Last Updated” at the top of this Agreement, and (b) your consent to and acceptance of the updated Agreement if Mark43 provides a mechanism for your immediate acceptance in a specified manner (such as a click-through acceptance), which Mark43 may require before further use of the Mark43 Materials is permitted. If you do not agree to the updated Agreement, you shall stop using all Mark43 Materials upon the effective date of the updated Agreement. Otherwise, your continued use of any of the Mark43 Materials after the effective date of the updated Agreement constitutes your acceptance of the updated Agreement. We encourage you to review this Agreement from time to time to ensure you understand the terms and conditions that apply to your use of the Mark43 Materials.
1. OVERVIEW
1.1 Mark43 Materials. We may provide you with access to certain developer tools, such as application programming interfaces, software development kits, software widgets, documentation, data, and materials through this Website, developer portals, and databases (collectively with this Website, any developer portals, databases, and the materials and services available through this Website and any developer portals and databases, the “Mark43 Materials”) in order to allow you to create a software application (“Application”) that operates with Mark43’s platform. Certain Mark43 Materials may be free of charge. However, Mark43 may, in its sole discretion charge fees in connection with the access to or use of certain Mark43 Materials.
1.2 Accounts.
(a) Developer Accounts. In order to access or use certain Mark43 Materials, you may be required to register for an account with Mark43 (a “Developer Account”).
Users of Developer Accounts may be issued an access key by Mark43 to access and use such Mark43 Materials (“Access Key”).
(b) Registration Information. You represent and warrant that: (i) all required registration information you submit is truthful and accurate; and (ii) you will maintain
the accuracy of such information. Mark43 may suspend or terminate your Developer Account and/or your access to any Mark43 Materials if you breach any of the terms of this Agreement.
You are responsible for maintaining the confidentiality of your Developer Account login information and Access Key, and are fully responsible for all activities that occur under your
Developer Account and Access Key. You may not provide your Developer Account login information or Access Key to any third party. You agree to immediately notify Mark43 of any unauthorized
access to or use, or suspected unauthorized access to or use, of your Developer Account, Access Key, or any other breach of security relating to any Mark43 Materials. Mark43 will not be
liable for any loss or damage arising from your failure to comply with the above requirements.
2. LICENSED USES AND RESTRICTIONS
2.1 License Grant. Subject to your compliance with the terms and conditions of this Agreement, Mark43 grants you a limited, non-exclusive, non-assignable, non-transferable, non-sublicensable, and revocable license to: (i) internally use and access the Mark43 Materials solely as necessary to develop and test your Application in accordance with the documentation and specifications included in the Mark43 Materials; and (ii) if applicable, provide your Application to the Mark43 customer(s) (a) that have authorized Mark43 in writing to allow your Application to operate with the Mark43 Materials in connection with their use of the Mark43 platform, and (b) that have a separate written agreement with you regarding your provision of such Application (each, a “Mark43 Customer”)
2.2 Restrictions. You agree that you will not, and will not assist, permit, authorize, or enable others to, do any of the following (each, a “Restriction”) without our express prior written consent: (i) reverse engineer, decompile, or otherwise attempt to learn the source code or structure of any of the Mark43 Materials or any component thereof; (ii) copy, alter, rent, lease, sell, transfer, assign, sublicense, or otherwise provide any part of the Mark43 Materials to any third party; (iii) use Mark43’s name or logo to endorse or promote any product or service, including your Application, or otherwise imply an affiliation, sponsorship, or endorsement of you or your Application by Mark43; (iv) use the Mark43 Materials for any illegal, unauthorized, or otherwise improper purposes, or in any manner which would violate this Agreement; (v) remove any legal, copyright, trademark, or other proprietary rights notices contained in or on the Mark43 Materials; (vi) use the Mark43 Materials in a manner that, as determined by Mark43 in its sole discretion, exceeds reasonable request volume, constitutes excessive or abusive usage, or otherwise fails to comply or is inconsistent with any part of the Mark43 Materials documentation; (vii) request, collect, solicit, or otherwise obtain access to sign-in names, passwords, or other authentication credentials for the Mark43 platform, other than by directing users to Mark43 in the mechanism specifically provided by the Mark43 Materials; or (viii) use any robot, spider, site search/retrieval application, or other device to collect information about users for any unauthorized purpose. We reserve the right to modify this list of Restrictions upon notice to you.
2.3 Usage Limitations. We may limit: (i) the number of network calls that your Application may make via the Mark43 Materials; (ii) the maximum file size; and (iii) anything else about the Mark43 Materials as we deem appropriate, in our sole discretion. We may impose or modify these limitations without notice. We may utilize technical measures to prevent over-usage and stop usage of the Mark43 Materials by an Application after any usage limitations are exceeded or suspend your access to the Mark43 Materials with or without notice to you in the event you exceed any such limitations.
2.4 Compliance with Applicable Laws. You shall comply, and shall ensure that any third parties performing any services on your behalf comply, with all applicable foreign and domestic laws, governmental regulations, ordinances and judicial administrative orders, and shall not engage in any deceptive, misleading, illegal or unethical marketing activities, or activities that otherwise may be detrimental to Mark43, its customers, services provided, or to the public.
3. DEVELOPER APPLICATIONS
3.1 Application Policy. You are solely responsible and liable for your Applications, and for supporting the Applications. On each Application in which you use the Mark43 Materials, you shall prominently display and comply with a privacy policy
on such Application that includes a full, accurate, and clear disclosure regarding your collection, use, and distribution of personal information collected via the Mark43 Materials. You represent and warrant that your Application will not:
(i) violate any third-party right, including any copyright, trademark, patent, trade secret, moral right, privacy right, right of publicity, or any other intellectual property or proprietary right; (ii) violate any laws or regulations
(including any privacy laws) or any obligations or restrictions imposed by any third party; (iii) be harassing, abusive, tortious, threatening, harmful, invasive of another’s privacy, vulgar, defamatory, false, intentionally misleading, trade libelous,
pornographic, obscene, or patently offensive, or promote racism, bigotry, hatred, or physical harm of any kind against any group or individual, or be otherwise objectionable; (iv) be harmful to minors in any way; (v) contain any computer viruses, worms,
or any software intended to damage or alter a computer system or data; (vi) send unsolicited or unauthorized advertising, promotional materials, junk mail, spam, text messages, chain letters, pyramid schemes, or any other form of duplicative or
unsolicited messages, whether commercial or otherwise; or (vii) offer or promote services that may be damaging to, disparaging of, or otherwise detrimental to Mark43 or its affiliates, customers, suppliers, or partners.
3.2 Refusal of Applications. Mark43 will have the right, in its sole discretion, to refuse to permit your use of the Mark43 Materials with a particular Application. Unless Mark43 states otherwise, such rejection will not terminate this Agreement
with respect to any other Application. Mark43 will have no liability to you for such refusal.
3.3 End User Data. You acknowledge and agree that you are being provided access to and use of the Mark43 Materials solely for the purpose of developing and testing your Application, and not to further distribute or provide your Application to any
other party unless such party is a Mark43 Customer. As such, you acknowledge and agree that, unless otherwise agreed in writing between you, Mark43, and the applicable Mark43 Customer, the Mark43 Materials are not being provided to you for the
purpose of maintaining or supporting your Application, and you will not upload, provide, post, transmit, or otherwise make available any data, including personal information or Mark43 Customer data, to Mark43, the Mark43 Materials, or the Mark43
platform in connection with your Application.
3.4 Export Restrictions. The Mark43 Materials and any related products, services, data, information, software programs, and/or materials resulting therefrom, may be subject to laws and rules that govern the export and re-export of software. You shall comply with all such laws and rules, as well as end-user, end-use, and destination restrictions issued by national governments. The Mark43 Materials are subject to the Export Administration Regulations (“EAR”) and thus may not be exported, re-exported, or downloaded by any person in any controlled countries under the EAR. Moreover, the Mark43 Materials may not be exported, re-exported, or downloaded by any person or entity subject to U.S. or international sanctions regardless of location. You should consult http://www.bis.doc.gov/index.php/policy-guidance/lists-of-parties-of-concern for lists that you must check.
4. OWNERSHIP
4.1 Ownership. As between you and Mark43, Mark43 owns all right, title, and interest in and to the Mark43 Materials, and all modifications to, and data and output provided through, the Mark43 Materials. Except for the license granted in Section 2.1
(License Grant), this Agreement grants you no right, title, or interest in or to any intellectual property or data owned or licensed by Mark43, including the Mark43 Materials. You agree to abide by all applicable proprietary rights laws and other laws,
as well as any additional copyright notices and restrictions contained in the Mark43 Materials. We claim no ownership or control over your Application, except for any Mark43 Materials therein.
4.2 Feedback. If you elect to provide us with any comments, suggestions, or feedback related to the Mark43 Materials (“Feedback”), you hereby assign all right, title, and interest in and to such Feedback to Mark43, and acknowledge and agree that we will be
entitled to use, implement, and exploit any such Feedback in any manner without restriction, and without any obligation of confidentiality, attribution, accounting, or compensation or other duty to account.
4.3 Independent Development. You acknowledge and agree that Mark43 may be independently creating applications, content, materials, products, and/or services that may be similar to or competitive with your Application, and nothing in this Agreement will be construed as restricting or preventing Mark43 from creating and fully exploiting such applications, content, materials, products, or services.
5. RELATIONSHIP
5.1 Marketing. We may publicly refer to you, orally or in writing, as a licensee of Mark43 (including in a directory of our Mark43 developers) and we may publish your name and logo on the Mark43 website or promotional materials without prior written consent.
You grant us all necessary rights and licenses to do so.
5.2 Support and Modifications. We may choose to provide you with support or modifications for the Mark43 Materials in our sole discretion and require you to use the most recent version of the Mark43 Materials. In the event we provide any support or modifications, they will be considered part of the Mark43 Materials for purposes of this Agreement, and we may terminate the provision of such support or modifications to you at any time without notice or liability to you. You understand and agree that you are solely responsible for providing user support and any other technical assistance for your Application. We may redirect users and potential users of your Application to your email address on file for purposes of answering general Application inquiries and support questions.
6. FEES AND PAYMENT TERMS
6.1 Payment. You agree to pay all fees or charges to your Developer Account, if any, in accordance with the applicable fees, charges, and billing terms in effect at the time a fee or charge is due and payable. By providing Mark43 with your payment
card number and associated payment information, you agree that we are authorized to immediately invoice your Developer Account for all fees and charges due and payable to Mark43 hereunder and that no additional consent is required. You agree to immediately
notify us of any change in your billing address or payment card used for payment hereunder. We reserve the right at any time to change our prices and billing methods, either immediately upon posting on this Website or by e-mail delivery to you. All fees are non-refundable.
6.2 Taxes. Mark43’s fees are exclusive of, and you are solely responsible for the payment of, any sales, use, or other taxes, duties, or similar charges in connection with your use of the Mark43 Materials or payment of any fees hereunder.
7. TERM AND TERMINATION
7.1 Term. You agree that this Agreement will be deemed to be in effect upon the date on which you accept this Agreement, in accordance with the preamble.
7.2 Suspension and Termination. We may limit, change, suspend, discontinue, or terminate the availability or any functionality of any of the Mark43 Materials, or any aspect of your access to or use of the Mark43 Materials, at any time without notice to you and without
incurring any liability to you. We may also impose limits on certain features and services or restrict your access to part or all of the Mark43 Materials without notice to you and without incurring any liability to you. Furthermore, Mark43 may terminate this Agreement
at any time. In addition, this Agreement will terminate automatically and without notice immediately upon any breach of the terms of this Agreement by you.
7.3 Your Termination. You may terminate this Agreement for any reason or no reason at all, at your convenience, by ceasing your use of all of the Mark43 Materials, and providing us written notice of your intent to terminate this Agreement.
7.4 Effect of Termination. Upon termination of this Agreement: (i) all rights and licenses granted hereunder will terminate immediately; (ii) any and all payment obligations, if any, will be due; and (iii) you will promptly return to Mark43, or at Mark43’s option
permanently erase and destroy, all Confidential Information and copies thereof in your possession, custody, or control. Mark43 will not be liable to you for damages of any sort resulting solely from the termination of this Agreement. Mark43’s sole obligation as it relates
to the termination of this Agreement will be to, upon written request from you, remove all links and references to your Application from the Mark43 Materials to the extent such links and references are under Mark43’s control.
7.5 Survival. Sections 4 (Ownership), 6 (Fees and Payment Terms), 7.4 (Effect of Termination), 7.5 (Survival), and 8 (Confidentiality) through 10 (General) will survive any termination of this Agreement.
8. CONFIDENTIALITY
8.1 Confidential Information. “Confidential Information” means all written and oral information disclosed by or on behalf of Mark43, or related to the products, services, business, or operations of Mark43 or a third party that has been identified as
confidential or that by the nature of the information or the circumstances surrounding disclosure ought reasonably be understood to be confidential. You acknowledge that during the performance of this Agreement, you will have access to certain
Confidential Information of Mark43 or a third party that has provided Confidential Information to Mark43. All Confidential Information is proprietary to Mark43 or such third party, as applicable, and will remain the sole property of Mark43 or such
third party, as applicable. You agree, unless expressly permitted under this Agreement: (i) to use the Confidential Information only for the purposes described herein; (ii) that you will not reproduce the Confidential Information and will hold in
confidence and protect the Confidential Information from dissemination to, and use by, any third party; (iii) that, except as required for the exercise of your rights or the performance of your obligations under this Agreement, you will not create any
derivative work from the Confidential Information; (iv) to restrict access to the Confidential Information to your personnel, if any, who have a need to have access to the Confidential Information for the exercise of your rights or the performance of your
obligations under this Agreement, and who have been advised of and have agreed in writing or are otherwise bound to treat such Confidential Information in accordance with the terms of this Agreement; and (v) to immediately notify Mark43 in writing of any
actual or suspected unauthorized disclosure or use of Confidential Information.
8.2 Exceptions. The foregoing provisions will not apply to Confidential Information that: (i) is or becomes generally publicly available through no fault of yours; (ii) is rightfully communicated to you by a third party free of any obligations of confidentiality; (iii) is already in your possession free of any obligations of confidentiality; (iv) is independently developed by you without use of or reference to any Confidential Information; or (v) is approved for disclosure in writing by Mark43 without restriction. You may disclose Confidential Information to the limited extent required to comply with the valid order of a court or other governmental body having competent jurisdiction or applicable law, provided that you first provide written notice to Mark43 and cooperate with any efforts by Mark43 to obtain a protective order.
9. DISCLAIMER; LIMITATION OF LIABILITY; INDEMNIFICATION
9.1 Disclaimer. THE MARK43 MATERIALS ARE PROVIDED “AS IS,” “WHERE IS,” “WITH ALL FAULTS,” AND WITH NO WARRANTY, EXPRESS OR IMPLIED, OF ANY KIND. MARK43 EXPRESSLY DISCLAIMS ANY AND ALL WARRANTIES AND CONDITIONS, INCLUDING, BUT NOT LIMITED TO, ANY
IMPLIED WARRANTY OR CONDITION OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE, AVAILABILITY, SECURITY, TITLE, AND NON-INFRINGEMENT. SOME ASPECTS OF THE MARK43 MATERIALS ARE EXPERIMENTAL AND HAVE NOT BEEN TESTED IN ANY MANNER. WE DO NOT REPRESENT,
WARRANT, OR MAKE ANY CONDITION THAT THE MARK43 MATERIALS ARE FREE OF INACCURACIES, ERRORS, BUGS, OR INTERRUPTIONS, OR ARE RELIABLE, ACCURATE, COMPLETE, OR OTHERWISE VALID. WE ARE NOT RESPONSIBLE FOR ANY CONTENT OR OTHER MATERIAL DOWNLOADED OR OTHERWISE
OBTAINED THROUGH THE USE OF THE MARK43 MATERIALS, ALL OF WHICH IS OBTAINED AT YOUR OWN DISCRETION AND RISK. YOUR USE OF THE MARK43 MATERIALS IS AT YOUR OWN DISCRETION AND RISK, AND YOU WILL BE SOLELY RESPONSIBLE FOR ANY DAMAGE THAT RESULTS FROM USE OF
THE MARK43 MATERIALS, INCLUDING FOR ANY DAMAGE TO YOUR APPLICATION OR INFORMATION TECHNOLOGY SYSTEMS, OR FOR LOSS OF DATA. NO ADVICE OR INFORMATION, WHETHER ORAL OR WRITTEN, OBTAINED BY YOU FROM US OR THROUGH OR FROM THE MARK43 MATERIALS WILL CREATE ANY WARRANTY OR CONDITION.
9.2 Limitation of Liability. MARK43 WILL NOT, UNDER ANY CIRCUMSTANCES, BE LIABLE TO YOU FOR ANY INCIDENTAL, CONSEQUENTIAL, INDIRECT, PUNITIVE, SPECIAL, OR RELIANCE DAMAGES RELATED TO THIS AGREEMENT OR THE MARK43 MATERIALS, WHETHER MARK43 WAS OR SHOULD HAVE
BEEN AWARE OF THE POSSIBILITY OF SUCH DAMAGES. FOR PURPOSES OF THIS SECTION, CONSEQUENTIAL DAMAGES INCLUDE, BUT ARE NOT LIMITED TO, LOST PROFITS, LOST REVENUES, AND LOST BUSINESS OPPORTUNITIES. IN NO EVENT WILL MARK43’S AGGREGATE LIABILITY IN ANY WAY
RELATED TO THIS AGREEMENT OR THE MARK43 MATERIALS EXCEED ONE-THOUSAND DOLLARS ($1,000). THE PARTIES ACKNOWLEDGE AND AGREE THAT THEY HAVE ENTERED INTO THIS AGREEMENT WITH DUE REGARD FOR THE BUSINESS RISK ASSOCIATED WITH THE ARRANGEMENTS DESCRIBED IN THIS AGREEMENT.
9.3 Indemnification. You will defend, indemnify and hold harmless Mark43 and its affiliates, and their respective directors, officers, employees, agents, licensors, and other partners from and against all third party allegations, claims, and suits, and all losses, damages, litigation costs, and attorneys’ fees relating thereto, that arise from or in any way relate to your Application, your use of the Mark43 Materials, or your breach of this Agreement.
10. GENERAL
10.1 Entire Agreement; Amendment. This Agreement constitutes the entire agreement between you and Mark43 with respect to its subject matter and governs your use of the Mark43 Materials. If, through accessing or using the Mark43 Materials, you utilize
or obtain any product or service from a third party, you may additionally be subject to such third party’s terms and conditions applicable thereto, and this Agreement will not affect your legal relationship with such third party. This Agreement
may not be amended or modified except pursuant to a written amendment signed by each party.
10.2 Relationship of Parties. The parties hereto are independent contractors. Nothing in this Agreement will be deemed to create an agency, employment, partnership, fiduciary, or joint venture relationship between the parties. Neither party is the
representative of the other party for any purpose and neither party has the power or authority as agent, employee, or in any other capacity to represent, act for, bind, or otherwise create or assume any obligation on behalf of the other party for any purpose whatsoever.
10.3 Governing Law; Exclusive Venue. This Agreement will be governed in accordance with the laws of the State of New York without reference to its conflicts of law principles. Each party agrees that all disputes, legal actions, suits, and proceedings
arising out of relating to this Agreement must be brought exclusively in the state or federal courts located in New York County, New York.
10.4 Severability. If any term or provision of this Agreement is determined to be illegal, unenforceable, or invalid in whole or in part for any reason, such term or provision will be changed and interpreted to accomplish the objectives of such provision
to the greatest extent possible under applicable law and the remaining provisions will continue in full force and effect.
10.5 Assignment. You may not assign or otherwise transfer (including by way of merger, stock or asset sale, or change of control) this Agreement or any of your rights or obligations hereunder to any other party without Mark43’s express prior written consent.
Any assignment or transfer in violation of the foregoing is null and void. This Agreement inures to the benefit of and is binding upon the parties hereto and their successors and permitted assigns.
10.6 Waiver. Failure to enforce or a waiver by either party of one default or breach of the other party will not be considered to be a waiver of any subsequent default or breach.
10.7 Notices. All notices required or permitted hereunder will be in writing, delivered personally, by email, or by nationally recognized overnight courier at the parties' respective addresses as may be provided to one another from time to time. All notices will
be deemed effective upon personal delivery, or when received if sent by email or overnight courier. You agree that Mark43 may send any notices or communications to you in electronic form to: (1) the last email address that you provided to Mark43, or
(2) by posting the notice or communication on this Website.
10.8 Government End Users. The Mark43 Materials are “commercial computer software” and any associated documentation is “commercial computer software documentation,” pursuant to DFAR Section 227.7202 and FAR Section 12.212, as applicable. Any use, modification,
reproduction, release, performance, display, or disclosure of the Mark43 Materials or such documentation by the United States Government will be governed solely by the terms of this Agreement.
10.9 Remedies. All rights and remedies of the parties under this Agreement, in law, or at equity are cumulative and may be exercised concurrently or separately. The exercise of one remedy will not be an election of that remedy to the exclusion of other remedies. Your breach or threatened breach of any of your covenants in this Agreement relating to Mark43’s intellectual property or Confidential Information will cause irreparable injury that is inadequately compensable in monetary damages.
Contact Us
Feedback
Let us know how we can improve this site for you as a partner developer. If you have feedback, please share it with us at support@mark43.com.
Become a Partner
Interested in helping us bring cloud-first, data-driven technology to public safety? Submit your contact information here.
© 2020 Mark43, Inc.