Installation
To install the Firecrawl Java SDK, add the dependency to your project:
Gradle (Kotlin DSL)
Gradle (Groovy)
Maven
repositories {
mavenCentral()
maven { url = uri("https://jitpack.io") }
}
dependencies {
implementation("com.github.firecrawl:firecrawl-java-sdk:2.0")
}
repositories {
mavenCentral()
maven { url 'https://jitpack.io' }
}
dependencies {
implementation 'com.github.firecrawl:firecrawl-java-sdk:2.0'
}
<repositories>
<repository>
<id>jitpack.io</id>
<url>https://jitpack.io</url>
</repository>
</repositories>
<dependency>
<groupId>com.github.firecrawl</groupId>
<artifactId>firecrawl-java-sdk</artifactId>
<version>2.0</version>
</dependency>
Requires Java 17 or later.
Usage
- Get an API key from firecrawl.dev
- Set the API key as an environment variable named
FIRECRAWL_API_KEY or pass it to the FirecrawlClient constructor.
Here’s an example of how to use the SDK with error handling:
import dev.firecrawl.client.FirecrawlClient;
import dev.firecrawl.exception.ApiException;
import dev.firecrawl.exception.FirecrawlException;
import dev.firecrawl.model.*;
import java.io.IOException;
import java.time.Duration;
import java.util.UUID;
public class Example {
public static void main(String[] args) {
FirecrawlClient client = new FirecrawlClient(
System.getenv("FIRECRAWL_API_KEY"),
null,
Duration.ofSeconds(60)
);
try {
// Scrape a URL
ScrapeParams scrapeParams = new ScrapeParams();
scrapeParams.setFormats(new String[]{"markdown"});
FirecrawlDocument doc = client.scrapeURL("https://firecrawl.dev", scrapeParams);
System.out.println(doc.getMarkdown());
// Crawl a website
CrawlParams crawlParams = new CrawlParams();
crawlParams.setLimit(5);
CrawlStatusResponse job = client.crawlURL(
"https://firecrawl.dev",
crawlParams,
UUID.randomUUID().toString(),
5
);
if ("completed".equalsIgnoreCase(job.getStatus()) && job.getData() != null) {
for (FirecrawlDocument page : job.getData()) {
System.out.println(page.getMetadata().get("sourceURL"));
}
}
} catch (ApiException e) {
System.err.println("API error " + e.getStatusCode() + ": " + e.getResponseBody());
} catch (FirecrawlException e) {
System.err.println("Firecrawl error: " + e.getMessage());
} catch (IOException e) {
System.err.println("Network error: " + e.getMessage());
}
}
}
Scraping a URL
To scrape a single URL, use the scrapeURL method. It takes the URL as a parameter and returns the scraped data as a FirecrawlDocument.
ScrapeParams params = new ScrapeParams();
params.setFormats(new String[]{"markdown", "html"});
params.setOnlyMainContent(true);
params.setWaitFor(5000);
FirecrawlDocument doc = client.scrapeURL("https://firecrawl.dev", params);
System.out.println(doc.getMarkdown());
System.out.println(doc.getMetadata().get("title"));
Extract structured data using the Extract endpoint by specifying a JSON schema and prompt:
import dev.firecrawl.model.ExtractParams;
import dev.firecrawl.model.ExtractResponse;
import dev.firecrawl.model.ExtractStatusResponse;
import java.util.Map;
ExtractParams extractParams = new ExtractParams(new String[]{"https://firecrawl.dev"});
extractParams.setPrompt("Extract the product name and price");
extractParams.setSchema(Map.of(
"type", "object",
"properties", Map.of(
"name", Map.of("type", "string"),
"price", Map.of("type", "number")
)
));
ExtractResponse start = client.extract(extractParams);
ExtractStatusResponse result = client.getExtractStatus(start.getId());
System.out.println(result.getData());
Crawling a Website
To crawl a website, use the crawlURL method. It takes the starting URL and optional parameters as arguments. The crawlURL method can poll and return crawled documents.
CrawlParams crawlParams = new CrawlParams();
crawlParams.setLimit(50);
crawlParams.setMaxDiscoveryDepth(3);
ScrapeParams scrapeParams = new ScrapeParams();
scrapeParams.setFormats(new String[]{"markdown"});
crawlParams.setScrapeOptions(scrapeParams);
CrawlStatusResponse job = client.crawlURL(
"https://firecrawl.dev",
crawlParams,
UUID.randomUUID().toString(),
10
);
System.out.println("Status: " + job.getStatus());
System.out.println("Pages crawled: " + (job.getData() != null ? job.getData().length : 0));
if (job.getData() != null) {
for (FirecrawlDocument doc : job.getData()) {
System.out.println(doc.getMetadata().get("sourceURL"));
}
}
Start a Crawl
Start a job without waiting using startCrawl. It returns a job ID you can use to check status.
CrawlParams crawlParams = new CrawlParams();
crawlParams.setLimit(100);
CrawlResponse start = client.startCrawl("https://firecrawl.dev", crawlParams);
System.out.println("Job ID: " + start.getId());
Checking Crawl Status
To check the status of a crawl job, use the getCrawlStatus method. It takes the job ID as a parameter and returns the current status of the crawl job.
CrawlStatusResponse status = client.getCrawlStatus(start.getId());
System.out.println("Status: " + status.getStatus());
System.out.println("Progress: " + status.getCompleted() + "/" + status.getTotal());
Cancelling a Crawl
To cancel a crawl job, use the cancelCrawlJob method. It takes the job ID as a parameter and returns the cancellation status.
CancelCrawlJobResponse result = client.cancelCrawlJob(start.getId());
System.out.println(result);
Mapping a Website
To map a website, use the mapURL method. It takes the starting URL as a parameter and returns the discovered URLs.
MapParams mapParams = new MapParams();
mapParams.setLimit(100);
mapParams.setSearch("blog");
MapResponse data = client.mapURL("https://firecrawl.dev", mapParams);
if (data.getLinks() != null) {
for (String link : data.getLinks()) {
System.out.println(link);
}
}
Searching the Web
Search the web and optionally scrape results using the search method.
SearchParams searchParams = new SearchParams("firecrawl web scraping");
searchParams.setLimit(10);
SearchResponse results = client.search(searchParams);
if (results.getResults() != null) {
for (SearchResult result : results.getResults()) {
System.out.println(result.getTitle() + " — " + result.getUrl());
}
}
Batch Scraping
Scrape multiple URLs in parallel using the batchScrape method.
BatchScrapeParams batchParams = new BatchScrapeParams(new String[]{
"https://firecrawl.dev",
"https://firecrawl.dev/blog"
});
ScrapeParams batchScrapeOptions = new ScrapeParams();
batchScrapeOptions.setFormats(new String[]{"markdown"});
batchParams.setScrapeOptions(batchScrapeOptions);
BatchScrapeResponse start = client.batchScrape(batchParams);
BatchScrapeStatusResponse status = client.getBatchScrapeStatus(start.getId());
if (status.getData() != null) {
for (FirecrawlDocument doc : status.getData()) {
System.out.println(doc.getMarkdown());
}
}
Agent
Run an AI-powered agent to research and extract data from the web.
AgentParams params = new AgentParams("Find the pricing plans for Firecrawl and compare them");
AgentResponse start = client.createAgent(params);
AgentStatusResponse result = client.getAgentStatus(start.getId());
System.out.println(result.getData());
With a JSON schema for structured output:
AgentParams params = new AgentParams("Extract pricing plan details");
params.setUrls(new String[]{"https://firecrawl.dev"});
params.setSchema(Map.of(
"type", "object",
"properties", Map.of(
"plans", Map.of(
"type", "array",
"items", Map.of(
"type", "object",
"properties", Map.of(
"name", Map.of("type", "string"),
"price", Map.of("type", "string")
)
)
)
)
));
AgentResponse start = client.createAgent(params);
AgentStatusResponse result = client.getAgentStatus(start.getId());
System.out.println(result.getData());
Usage & Metrics
Check your credit and token usage:
AccountCreditUsageResponse credits = client.getCreditUsage();
System.out.println("Remaining credits: " + credits.getData().getRemainingCredits());
AccountTokenUsageResponse tokens = client.getTokenUsage();
System.out.println("Remaining tokens: " + tokens.getData().getRemainingTokens());
Async Support
The Java SDK provides synchronous methods. If you need non-blocking behavior, wrap calls in CompletableFuture or use your own executor:
import java.util.concurrent.CompletableFuture;
CompletableFuture<FirecrawlDocument> future = CompletableFuture.supplyAsync(() -> {
try {
ScrapeParams params = new ScrapeParams();
params.setFormats(new String[]{"markdown"});
return client.scrapeURL("https://firecrawl.dev", params);
} catch (Exception e) {
throw new RuntimeException(e);
}
});
future.thenAccept(doc -> System.out.println(doc.getMarkdown()));
Browser
Browser Sandbox is available via the REST API. In Java, you can call the browser endpoints directly using the standard HttpClient.
Create a Session
import java.net.URI;
import java.net.http.HttpClient;
import java.net.http.HttpRequest;
import java.net.http.HttpResponse;
HttpClient http = HttpClient.newHttpClient();
HttpRequest request = HttpRequest.newBuilder()
.uri(URI.create("https://api.firecrawl.dev/v2/browser"))
.header("Authorization", "Bearer " + System.getenv("FIRECRAWL_API_KEY"))
.header("Content-Type", "application/json")
.POST(HttpRequest.BodyPublishers.ofString("{\"ttl\":120,\"activityTtl\":60}"))
.build();
HttpResponse<String> response = http.send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body()); // contains session id, cdpUrl, liveViewUrl
Execute Code
String sessionId = "YOUR_SESSION_ID";
HttpRequest request = HttpRequest.newBuilder()
.uri(URI.create("https://api.firecrawl.dev/v2/browser/" + sessionId + "/execute"))
.header("Authorization", "Bearer " + System.getenv("FIRECRAWL_API_KEY"))
.header("Content-Type", "application/json")
.POST(HttpRequest.BodyPublishers.ofString(
"{\"code\":\"await page.goto(\\\\\"https://example.com\\\\\"); const t = await page.title(); console.log(t);\",\"language\":\"node\"}"
))
.build();
HttpResponse<String> response = http.send(request, HttpResponse.BodyHandlers.ofString());
System.out.println(response.body());
List & Close Sessions
// List active sessions
HttpRequest list = HttpRequest.newBuilder()
.uri(URI.create("https://api.firecrawl.dev/v2/browser?status=active"))
.header("Authorization", "Bearer " + System.getenv("FIRECRAWL_API_KEY"))
.GET()
.build();
HttpResponse<String> listResponse = http.send(list, HttpResponse.BodyHandlers.ofString());
System.out.println(listResponse.body());
// Close a session
HttpRequest close = HttpRequest.newBuilder()
.uri(URI.create("https://api.firecrawl.dev/v2/browser"))
.header("Authorization", "Bearer " + System.getenv("FIRECRAWL_API_KEY"))
.header("Content-Type", "application/json")
.method("DELETE", HttpRequest.BodyPublishers.ofString("{\"id\":\"" + sessionId + "\"}"))
.build();
HttpResponse<String> closeResponse = http.send(close, HttpResponse.BodyHandlers.ofString());
System.out.println(closeResponse.body());
Configuration
The FirecrawlClient constructor supports the following options:
| Option | Type | Default | Description |
|---|
apiKey | String | FIRECRAWL_API_KEY env var | Your Firecrawl API key |
apiUrl | String | https://api.firecrawl.dev | API base URL (or FIRECRAWL_API_URL env var) |
timeout | Duration | null | HTTP request timeout |
import java.time.Duration;
FirecrawlClient client = new FirecrawlClient(
System.getenv("FIRECRAWL_API_KEY"),
"https://api.firecrawl.dev",
Duration.ofSeconds(300)
);
Error Handling
The SDK throws ApiException for HTTP errors and FirecrawlException for other SDK errors.
import dev.firecrawl.exception.ApiException;
import dev.firecrawl.exception.FirecrawlException;
try {
ScrapeParams params = new ScrapeParams();
params.setFormats(new String[]{"markdown"});
FirecrawlDocument doc = client.scrapeURL("https://firecrawl.dev", params);
} catch (ApiException e) {
System.err.println("API error " + e.getStatusCode() + ": " + e.getResponseBody());
} catch (FirecrawlException e) {
System.err.println("Firecrawl error: " + e.getMessage());
} catch (IOException e) {
System.err.println("Network error: " + e.getMessage());
}