Add Vessel in Fleet

Add Vessel in Fleet Endpoint

Description

Add a vessel to an existing fleet.

The default response format is JSON. To receive XML, set the Accept header to application/xml.

HTTP Request

POST https://api.myshiptracking.com/api/v2/fleets/addvessel

Parameters

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 yes integer The unique identifier of the fleet to which the vessel will be added. Ensure the fleet exists.
mmsi yes integer 9-digit Maritime Mobile Service Identity of the vessel to be added.
secret yes string Your secret (generated when your API key was created) used to authorize the addition of a vessel.

Billing & Credits Details

No Charge

This endpoint is free of charge. No credits are deducted.

Response Fields

Field Type Description
status text Indicates the outcome of the request. Expected value: added on success.

Response Structure

All API responses follow a standardized envelope format for consistency and ease of integration.

Success Response

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 object containing the outcome. For this endpoint, it includes:
    • status: "added"

Error Response

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 a request error occurs (such as providing an invalid secret, duplicate vessel addition, or if the fleet or vessel is not found), no vessel is added.

Sample Success Response (JSON)

{
    "status": "success",
    "duration": "0.074884428",
    "timestamp": "2025-04-03T14:41:06.583Z",
    "data": {
        "status": "added"
    }
}

Sample Error Response (JSON)

{
    "status": "error",
    "duration": "0.001714728",
    "timestamp": "2025-04-03T14:45:30.401Z",
    "code": "ERR_INVALID_SECRET",
    "message": "Invalid secret."
}

Possible Error Responses

The following error responses may be returned. Each error follows the standardized response envelope.

Error Code HTTP Status Description
ERR_VESSEL_ALREADY_EXISTS 400 The vessel is already associated with the specified fleet.
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_INVALID_SECRET 401 The provided secret is invalid or unrecognized.
ERR_NOACCESS 403 The API key does not have permission to access this endpoint.
ERR_VESSEL_NOT_FOUND 404 No vessel was found matching the provided MMSI, or the vessel is blocked.
ERR_FLEET_NOT_FOUND 404 The specified fleet does not exist or is not owned by the user.
ERR_VESSEL_LIMIT_REACHED 400 The user has reached the maximum allowed number of vessels in their account.
ERR_INTERNAL 500 An internal server error occurred.

Usage Examples

<?php
$apiKey = "YOUR_API_KEY";
$fleet_id = "282767";
$mmsi   = "241087000";
$secret = "YOUR_SECRET";
$url    = "https://api.myshiptracking.com/api/v2/fleets/addvessel";

$data = [
    "fleet_id" => $fleet_id,
    "mmsi"     => $mmsi,
    "secret"   => $secret
];

$headers = [
    "Authorization: Bearer $apiKey",
    "Content-Type: application/json"
];

$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_POST, true);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_HTTPHEADER, $headers);
curl_setopt($ch, CURLOPT_POSTFIELDS, json_encode($data));

$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/addvessel' \
--header 'authorization: Bearer YOUR_API_KEY' \
--header 'Content-Type: application/json' \
--data '{
  "fleet_id": "282767",
  "mmsi": "241087000",
  "secret": "YOUR_SECRET"
}'
import requests
import json

api_key = "YOUR_API_KEY"
fleet_id = "282767"
mmsi    = "241087000"
secret  = "YOUR_SECRET"
url     = f"https://api.myshiptracking.com/api/v2/fleets/addvessel"

headers = {
    "Authorization": f"Bearer {api_key}",
    "Content-Type": "application/json"
}

data = {
    "fleet_id": fleet_id,
    "mmsi": mmsi,
    "secret": secret
}

response = requests.post(url, headers=headers, json=data)
print(response.json())
const apiKey = "YOUR_API_KEY";
const fleet_id = "282767";
const mmsi = "241087000";
const secret = "YOUR_SECRET";
const url = `https://api.myshiptracking.com/api/v2/fleets/addvessel`;

fetch(url, {
  method: "POST",
  headers: {
    "Authorization": `Bearer ${apiKey}`,
    "Content-Type": "application/json"
  },
  body: JSON.stringify({ fleet_id, mmsi, secret })
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error("Error:", error));
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.io.OutputStream;
import java.net.HttpURLConnection;
import java.net.URL;

public class FleetAddVesselExample {
    public static void main(String[] args) {
        try {
            String apiKey = "YOUR_API_KEY";
            String fleet_id = "282767";
            String mmsi = "241087000";
            String secret = "YOUR_SECRET";
            String urlString = "https://api.myshiptracking.com/api/v2/fleets/addvessel";
            URL url = new URL(urlString);
            HttpURLConnection conn = (HttpURLConnection) url.openConnection();
            conn.setRequestMethod("POST");
            conn.setRequestProperty("Authorization", "Bearer " + apiKey);
            conn.setRequestProperty("Content-Type", "application/json");
            conn.setDoOutput(true);

            String jsonInputString = "{\"fleet_id\":\"" + fleet_id + "\", \"mmsi\":\"" + mmsi + "\", \"secret\":\"" + secret + "\"}";
            try(OutputStream os = conn.getOutputStream()){
                byte[] input = jsonInputString.getBytes("utf-8");
                os.write(input, 0, input.length);
            }

            int responseCode = conn.getResponseCode();
            BufferedReader in = new BufferedReader(new InputStreamReader(
                (responseCode == HttpURLConnection.HTTP_OK) ? conn.getInputStream() : conn.getErrorStream(), "utf-8"
            ));
            StringBuilder response = new StringBuilder();
            String responseLine;
            while((responseLine = in.readLine()) != null){
                response.append(responseLine.trim());
            }
            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.Text;
using System.Threading.Tasks;

class FleetAddVesselExample {
    static async Task Main() {
        string apiKey = "YOUR_API_KEY";
        string fleet_id = "282767";
        string mmsi = "241087000";
        string secret = "YOUR_SECRET";
        string url = "https://api.myshiptracking.com/api/v2/fleets/addvessel";

        using (HttpClient client = new HttpClient()) {
            client.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", apiKey);
            client.DefaultRequestHeaders.Add("Content-Type", "application/json");

            var json = $"{{\"fleet_id\":\"{fleet_id}\", \"mmsi\":\"{mmsi}\", \"secret\":\"{secret}\"}}";
            var content = new StringContent(json, Encoding.UTF8, "application/json");

            HttpResponseMessage response = await client.PostAsync(url, content);
            string result = await response.Content.ReadAsStringAsync();
            Console.WriteLine(result);
        }
    }
}
require 'net/http'
require 'uri'
require 'json'

api_key = "YOUR_API_KEY"
fleet_id = "282767"
mmsi = "241087000"
secret = "YOUR_SECRET"
uri = URI("https://api.myshiptracking.com/api/v2/fleets/addvessel")

http = Net::HTTP.new(uri.host, uri.port)
http.use_ssl = true

request = Net::HTTP::Post.new(uri.request_uri, {
  'Authorization' => "Bearer #{api_key}",
  'Content-Type' => 'application/json'
})
request.body = { fleet_id: fleet_id, mmsi: mmsi, secret: secret }.to_json

response = http.request(request)
puts response.body

Try It Out

Request Preview

Your request preview will appear here...
                

Response

Your response will appear here...