JSON
. To receive XML, set the Accept
header to application/xml
.
GET https://api.myshiptracking.com/api/v2/fleets/listvessels
Parameter | Required | Type | Default | Description |
---|---|---|---|---|
apikey (header) | yes | text |
Your API key. Pass it via the HTTP header
Authorization: Bearer YOUR_API_KEY or x-api-key .
|
|
fleet_id (query) | no | text | Comma-separated list of fleet IDs. If not provided, all fleets for the authenticated user are returned. |
The successful response returns an array of fleet objects. Each fleet object contains the following fields:
Field | Type | Description |
---|---|---|
fleet_id | text | Unique identifier for the fleet. |
name | text | Name of the fleet. |
vessels | array |
An array of vessel objects belonging to the fleet. Each vessel object includes:
|
All API responses follow a standardized envelope format for consistency and ease of integration.
On success (HTTP status code 200
), the envelope includes:
status
: "success"duration
: Time taken to process the request (in seconds).timestamp
: Server timestamp when the response was generated (ISO 8601 format).data
: An array of fleet objects with their vessel details.On error, the envelope includes:
status
: "error"duration
: Time taken to process the request.timestamp
: Server timestamp when the error was generated.code
: Specific error code for troubleshooting.message
: Detailed error message.The response format (JSON or XML) is determined by the Accept
header.
Note: When the request is successful, no credits are deducted from your account.
{
"status": "success",
"duration": "0.009596610",
"timestamp": "2025-04-03T15:51:40.333Z",
"data": [
{
"fleet_id": "282809",
"name": "My Vessels",
"vessels": [
{
"mmsi": 239923000,
"name": "BLUE STAR NAXOS"
},
{
"mmsi": 241087000,
"name": "BLUE STAR DELOS"
}
]
}
]
}
{
"status": "error",
"duration": "0.001234567",
"timestamp": "2025-04-03T15:51:45.678Z",
"code": "ERR_INVALID_FLEET_ID",
"message": "Invalid fleet_id provided. Please supply a valid comma-separated list of fleet IDs."
}
The following error responses may be returned. Each error follows the standardized response envelope.
Error Code | HTTP Status | Description |
---|---|---|
MST_ERR_VALIDATOR | 400 | Parameter validation failed (e.g., invalid format or out-of-range values). |
ERR_NO_KEY | 401 | No API key was provided in the request headers. |
ERR_INVALID_KEY | 401 | The provided API key is invalid or unrecognized. |
ERR_NOACCESS | 403 | The API key does not have permission to access this endpoint. |
ERR_INVALID_FLEET_ID | 400 | The fleet_id parameter is missing or invalid. |
ERR_FLEET_NOT_FOUND | 404 | No fleet was found for the provided fleet_id(s). |
ERR_RATE_LIMIT | 429 | The request rate limit has been exceeded. |
ERR_INTERNAL | 500 | An internal server error occurred. |
<?php
$apiKey = "YOUR_API_KEY";
$fleetIds = "282809"; // Comma-separated list; leave empty to retrieve all fleets.
$url = "https://api.myshiptracking.com/api/v2/fleets/listvessels";
$url .= $fleetIds ? "?fleet_id={$fleetIds}" : "";
// Initialize cURL.
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_HTTPHEADER, [
"Authorization: Bearer $apiKey"
]);
$response = curl_exec($ch);
if (curl_errno($ch)) {
echo 'Request Error: ' . curl_error($ch);
} else {
echo $response;
}
curl_close($ch);
?>
curl --location 'https://api.myshiptracking.com/api/v2/fleets/listvessels?fleet_id=282809' \
--header 'authorization: Bearer YOUR_API_KEY'
# No additional cost is charged for this endpoint.
import requests
api_key = "YOUR_API_KEY"
fleet_ids = "282809" # Comma-separated list; leave empty to retrieve all fleets.
url = f"https://api.myshiptracking.com/api/v2/fleets/listvessels"
if fleet_ids:
url += f"?fleet_id={fleet_ids}"
headers = {
"Authorization": f"Bearer {api_key}"
}
response = requests.get(url, headers=headers)
if response.ok:
print(response.json())
else:
print("Error:", response.status_code, response.text)
const apiKey = "YOUR_API_KEY";
const fleetIds = "282809"; // Comma-separated list; leave empty to retrieve all fleets.
let url = `https://api.myshiptracking.com/api/v2/fleets/listvessels`;
if (fleetIds) {
url += `?fleet_id=${encodeURIComponent(fleetIds)}`;
}
fetch(url, {
method: "GET",
headers: {
"Authorization": `Bearer ${apiKey}`
}
})
.then(response => response.ok ? response.json() : Promise.reject(response))
.then(data => console.log(data))
.catch(error => console.error("Error:", error));
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.net.HttpURLConnection;
import java.net.URL;
public class FleetsListVesselsExample {
public static void main(String[] args) {
try {
String apiKey = "YOUR_API_KEY";
String fleetIds = "282809"; // Comma-separated list; use empty string to retrieve all fleets.
String urlString = "https://api.myshiptracking.com/api/v2/fleets/listvessels";
if (!fleetIds.isEmpty()) {
urlString += "?fleet_id=" + fleetIds;
}
URL url = new URL(urlString);
HttpURLConnection conn = (HttpURLConnection) url.openConnection();
conn.setRequestMethod("GET");
conn.setRequestProperty("Authorization", "Bearer " + apiKey);
int responseCode = conn.getResponseCode();
BufferedReader in = new BufferedReader(new InputStreamReader(
(responseCode == HttpURLConnection.HTTP_OK) ? conn.getInputStream() : conn.getErrorStream()));
String inputLine;
StringBuilder response = new StringBuilder();
while ((inputLine = in.readLine()) != null) {
response.append(inputLine);
}
in.close();
System.out.println(response.toString());
} catch (Exception e) {
e.printStackTrace();
}
}
}
using System;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Threading.Tasks;
class FleetsListVesselsExample {
static async Task Main() {
string apiKey = "YOUR_API_KEY";
string fleetIds = "282809"; // Comma-separated list; leave empty to retrieve all fleets.
string url = $"https://api.myshiptracking.com/api/v2/fleets/listvessels";
if (!string.IsNullOrEmpty(fleetIds)) {
url += $"?fleet_id={fleetIds}";
}
using (HttpClient client = new HttpClient()) {
client.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", apiKey);
HttpResponseMessage response = await client.GetAsync(url);
if (response.IsSuccessStatusCode) {
string content = await response.Content.ReadAsStringAsync();
Console.WriteLine(content);
} else {
Console.WriteLine("Error: " + response.StatusCode);
}
}
}
}
require 'net/http'
require 'uri'
require 'json'
api_key = "YOUR_API_KEY"
fleet_ids = "282809" # Comma-separated list; leave empty to retrieve all fleets.
uri = URI("https://api.myshiptracking.com/api/v2/fleets/listvessels")
uri.query = "fleet_id=#{URI.encode_www_form_component(fleet_ids)}" unless fleet_ids.empty?
request = Net::HTTP::Get.new(uri)
request["Authorization"] = "Bearer #{api_key}"
response = Net::HTTP.start(uri.hostname, uri.port, use_ssl: true) do |http|
http.request(request)
end
if response.is_a?(Net::HTTPSuccess)
puts JSON.pretty_generate(JSON.parse(response.body))
else
puts "Error: #{response.code} #{response.message}"
end
Your request preview will appear here...
Your response will appear here...