Vessel Search

Vessel Search Endpoint

Description

Search for vessels by name. This endpoint returns a list of vessels whose names match the provided search term.

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

Note: The endpoint returns a maximum of 40 records. If your search criteria are too broad, please narrow them to improve accuracy.

HTTP Request

GET https://api.myshiptracking.com/api/v2/vessel/search

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.
name yes text The search term for vessel names. Minimum length is 3 characters.

Billing & Credits Details

Credit Charge Details

This endpoint charges 1 credit per search request.

Response Fields

Field Type Description
vessel_name text Name of the vessel.
mmsi int Maritime Mobile Service Identity.
imo int International Maritime Organization number (if available).
vtype int Vessel type code.
vessel_type text Readable description of the vessel type.
flag text Country flag code.
area text Last detected region.

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: The requested resource data. For XML responses, the data is formatted according to the requested XML structure.

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 used for troubleshooting.
  • message: Detailed error message.

The response format (JSON or XML) is determined by the Accept header.

Note: When credits are charged for a request, the response includes a custom HTTP header X-Credit-Charged indicating the number of credits deducted.

Sample Success Response (JSON)

{
    "status": "success",
    "duration": "0.058519554",
    "timestamp": "2025-04-03T14:55:55.343Z",
    "data": [
        {
            "mmsi": 261003531,
            "imo": null,
            "vessel_name": "FOLEGA",
            "vtype": 9,
            "vessel_type": "Sailing",
            "flag": "PL",
            "area": "Adriatic Sea"
        },
        {
            "mmsi": 538007771,
            "imo": 9793753,
            "vessel_name": "FOLEGANDROS",
            "vtype": 8,
            "vessel_type": "Tanker",
            "flag": "MH",
            "area": "Black Sea"
        },
        {
            "mmsi": 636014590,
            "imo": 9247560,
            "vessel_name": "MSC FOLEGANDROS VI",
            "vtype": 7,
            "vessel_type": "Container Ship",
            "flag": "LR",
            "area": "Japan Sea"
        },
        {
            "mmsi": 338007771,
            "imo": 9793753,
            "vessel_name": "FOLEGANDROS",
            "vtype": 8,
            "vessel_type": "Tanker",
            "flag": "US",
            "area": "Aegean Sea"
        },
        {
            "mmsi": 239915100,
            "imo": null,
            "vessel_name": "PRINCE FOLEGANDROS",
            "vtype": 9,
            "vessel_type": "Sailing",
            "flag": "GR",
            "area": "Aegean Sea"
        }
    ]
}

Sample Error Response (JSON)

{
    "status": "error",
    "duration": "0.001600648",
    "timestamp": "2025-04-03T14:56:31.240Z",
    "code": "MST_ERR_VALIDATOR",
    "message": "Name must be at least 3 characters long."
}

Possible Error Responses

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

Error Code HTTP Status Description
MST_ERR_VALIDATOR 400 Parameter validation failed (e.g., 'name' is missing or too short).
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_NO_CREDITS 402 Insufficient credit balance for the requested operation.
ERR_VESSEL_NOT_FOUND 404 No vessels were found matching the search criteria.
ERR_RATE_LIMIT 429 The request rate limit has been exceeded.
ERR_INTERNAL 500 An internal server error occurred.

Usage Examples

<?php
$apiKey = "YOUR_API_KEY";
$search = "folega";
$url    = "https://api.myshiptracking.com/api/v2/vessel/search?name=" . urlencode($search);

$headers = [
    "Authorization: Bearer $apiKey"
    // Alternatively: "x-api-key: $apiKey"
];

$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_HTTPHEADER, $headers);
$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/vessel/search?name=folega' \
--header 'Authorization: Bearer YOUR_API_KEY'
import requests

api_key = "YOUR_API_KEY"
search  = "folega"
url     = f"https://api.myshiptracking.com/api/v2/vessel/search?name={search}"

headers = {
    "Authorization": f"Bearer {api_key}"
    # Alternatively: "x-api-key": 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 search   = "folega";
let url    = `https://api.myshiptracking.com/api/v2/vessel/search?name=${encodeURIComponent(search)}`;
// Alternatively, append additional parameters if needed

fetch(url, {
  method: "GET",
  headers: {
    "Authorization": `Bearer ${apiKey}`
    // Alternatively: "x-api-key": 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;
import java.net.URLEncoder;

public class VesselSearchAPIExample {
    public static void main(String[] args) {
        try {
            String apiKey = "YOUR_API_KEY";
            String search = "folega";
            String urlString = "https://api.myshiptracking.com/api/v2/vessel/search?name=" + URLEncoder.encode(search, "UTF-8");
            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 VesselSearchAPIExample {
    static async Task Main() {
        string apiKey = "YOUR_API_KEY";
        string search = "folega";
        string url = $"https://api.myshiptracking.com/api/v2/vessel/search?name={Uri.EscapeDataString(search)}";
        
        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"
search  = "folega"
uri     = URI("https://api.myshiptracking.com/api/v2/vessel/search?name=#{URI.encode_www_form_component(search)}")

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)
  data = JSON.parse(response.body)
  puts data
else
  puts "Error: #{response.code} #{response.message}"
end

Try It Out

Request Preview

Your request preview will appear here...
                

Response

Your response will appear here...