This endpoint allows you to execute arbitrary JavaScript code in the Chrome browser that was previously opened with the "Open Chrome" action. The JavaScript code is executed in the current tab context and can interact with the DOM, access browser APIs, and return results.
The request must include a JavaScript code string to execute in the browser context. Optionally, you can specify a tab ID if you want to target a specific browser tab.
Parameter | Type | Required | Description |
---|---|---|---|
script |
string | Yes | The JavaScript code to execute in the Chrome browser. |
tabId |
string | No | Optional. The ID of the tab where the script should be executed. Note: Currently this parameter has no effect as scripts always run in the current active tab. |
{
"script": "const title = document.title;\nconst divCount = document.querySelectorAll('div').length;\nreturn { title, divCount };"
}
The response contains the result of the JavaScript execution and status information.
Parameter | Type | Description |
---|---|---|
success |
boolean | Indicates whether the script execution was successful. |
message |
string | A message describing the result of the execution. |
result |
string | The result of the JavaScript execution, serialized as a string. If the script returns a complex object, it will be serialized to JSON. |
timestamp |
string | ISO 8601 timestamp indicating when the execution occurred. |
{
"success": true,
"message": "Script executed successfully",
"result": "{\"title\":\"Wikipedia - The Free Encyclopedia\",\"divCount\":245}",
"timestamp": "2025-03-12T09:45:23.456Z"
}
import requests
import json
def execute_javascript(base_url, api_key, script, tab_id=None):
"""
Execute JavaScript code in Chrome browser
Args:
base_url (str): Base URL of the Tools Server (e.g., 'http://localhost:9950')
api_key (str): The API key for authentication
script (str): JavaScript code to execute in the browser
tab_id (str, optional): Specific tab ID to target. Defaults to None (current tab).
Returns:
dict: The response containing execution results and status
"""
url = f"{base_url}/tools-api/chrome/execute-script"
# Prepare request payload
payload = {
"script": script
}
if tab_id:
payload["tabId"] = tab_id
headers = {
"Content-Type": "application/json",
"Authorization": f"Bearer {api_key}"
}
response = requests.post(url, headers=headers, json=payload)
return response.json()
# Example usage
if __name__ == "__main__":
BASE_URL = "http://localhost:9950"
API_KEY = "your-api-key-here"
# Example: Get page title and count all div elements
script = """
const title = document.title;
const divCount = document.querySelectorAll('div').length;
return { title, divCount };
"""
result = execute_javascript(BASE_URL, API_KEY, script)
if result["success"]:
# Parse the result string into Python object
script_result = json.loads(result["result"])
print(f"Page Title: {script_result['title']}")
print(f"Number of DIV elements: {script_result['divCount']}")
else:
print(f"Error: {result['message']}")
interface ChromeExecuteRequest {
script: string;
tabId?: string;
}
interface ChromeExecuteResponse {
success: boolean;
message: string;
timestamp: string;
result: string;
}
/**
* Execute JavaScript code in Chrome browser
* @param baseUrl Base URL of the Tools Server
* @param apiKey The API key for authentication
* @param script JavaScript code to execute in the browser
* @param tabId Optional specific tab ID to target
* @returns Promise with the execution result
*/
async function executeJavaScript(
baseUrl: string,
apiKey: string,
script: string,
tabId?: string
): Promise {
const url = `${baseUrl}/tools-api/chrome/execute-script`;
const payload: ChromeExecuteRequest = {
script: script
};
if (tabId) {
payload.tabId = tabId;
}
const response = await fetch(url, {
method: 'POST',
headers: {
'Content-Type': 'application/json',
'Authorization': `Bearer ${apiKey}`
},
body: JSON.stringify(payload)
});
return await response.json();
}
// Example usage
async function example() {
const BASE_URL = 'http://localhost:9950';
const API_KEY = 'your-api-key-here';
// Example: Get page title and count all div elements
const script = `
const title = document.title;
const divCount = document.querySelectorAll('div').length;
return { title, divCount };
`;
try {
const result = await executeJavaScript(BASE_URL, API_KEY, script);
if (result.success) {
// Parse the result string into object
const scriptResult = JSON.parse(result.result);
console.log(`Page Title: ${scriptResult.title}`);
console.log(`Number of DIV elements: ${scriptResult.divCount}`);
} else {
console.error(`Error: ${result.message}`);
}
} catch (error) {
console.error('Request failed:', error);
}
}
using System;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Text.Json;
using System.Threading.Tasks;
public class ToolsServerClient
{
private readonly HttpClient _httpClient;
private readonly string _apiKey;
private readonly string _baseUrl;
public ToolsServerClient(string baseUrl, string apiKey)
{
_baseUrl = baseUrl;
_apiKey = apiKey;
_httpClient = new HttpClient();
_httpClient.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", apiKey);
}
public class ChromeExecuteRequest
{
public string Script { get; set; }
public string TabId { get; set; }
}
public class ChromeExecuteResponse
{
public bool Success { get; set; }
public string Message { get; set; }
public DateTime Timestamp { get; set; }
public string Result { get; set; }
}
///
/// Execute JavaScript code in Chrome browser
///
/// JavaScript code to execute in the browser
/// Optional specific tab ID to target
/// The execution response including results
public async Task ExecuteJavaScriptAsync(string script, string tabId = null)
{
var request = new ChromeExecuteRequest
{
Script = script,
TabId = tabId
};
var json = JsonSerializer.Serialize(request, new JsonSerializerOptions
{
PropertyNamingPolicy = JsonNamingPolicy.CamelCase
});
var content = new StringContent(json, Encoding.UTF8, "application/json");
var response = await _httpClient.PostAsync($"{_baseUrl}/tools-api/chrome/execute-script", content);
response.EnsureSuccessStatusCode();
var jsonResponse = await response.Content.ReadAsStringAsync();
return JsonSerializer.Deserialize(jsonResponse, new JsonSerializerOptions
{
PropertyNameCaseInsensitive = true
});
}
}
// Example usage
class Program
{
static async Task Main()
{
var client = new ToolsServerClient("http://localhost:9950", "your-api-key-here");
// Example: Get page title and count all div elements
string script = @"
const title = document.title;
const divCount = document.querySelectorAll('div').length;
return { title, divCount };
";
try
{
var result = await client.ExecuteJavaScriptAsync(script);
if (result.Success)
{
// Parse the result JSON string
var scriptResult = JsonSerializer.Deserialize(result.Result);
Console.WriteLine($"Page Title: {scriptResult.GetProperty("title").GetString()}");
Console.WriteLine($"Number of DIV elements: {scriptResult.GetProperty("divCount").GetInt32()}");
}
else
{
Console.WriteLine($"Error: {result.Message}");
}
}
catch (Exception ex)
{
Console.WriteLine($"Request failed: {ex.Message}");
}
}
}
// Script to extract metadata
const script = `
const metadata = {
title: document.title,
description: document.querySelector('meta[name="description"]')?.content || '',
keywords: document.querySelector('meta[name="keywords"]')?.content || '',
url: window.location.href,
lastModified: document.lastModified
};
// Extract all headings
metadata.headings = {
h1: Array.from(document.querySelectorAll('h1')).map(h => h.textContent.trim()),
h2: Array.from(document.querySelectorAll('h2')).map(h => h.textContent.trim()),
h3: Array.from(document.querySelectorAll('h3')).map(h => h.textContent.trim())
};
return metadata;
`;
// Script to interact with forms
const script = `
// Get all forms on the page
const forms = Array.from(document.forms);
const formData = forms.map(form => {
const elements = Array.from(form.elements)
.filter(el => el.name) // Only elements with names
.map(el => {
return {
name: el.name,
type: el.type,
value: el.value,
isRequired: el.required,
isDisabled: el.disabled
};
});
return {
id: form.id,
name: form.name,
action: form.action,
method: form.method,
elements: elements
};
});
return formData;
`;
// Script to get performance metrics
const script = `
const performanceData = {};
// Basic timing info
const timing = performance.timing;
performanceData.loadTime = timing.loadEventEnd - timing.navigationStart;
performanceData.domContentLoaded = timing.domContentLoadedEventEnd - timing.navigationStart;
performanceData.firstPaint = timing.responseEnd - timing.navigationStart;
performanceData.backend = timing.responseEnd - timing.requestStart;
// Memory info (Chrome specific)
if (performance.memory) {
performanceData.memory = {
jsHeapSizeLimit: performance.memory.jsHeapSizeLimit,
totalJSHeapSize: performance.memory.totalJSHeapSize,
usedJSHeapSize: performance.memory.usedJSHeapSize
};
}
// Resource timing
performanceData.resources = performance.getEntriesByType('resource').map(r => ({
name: r.name,
duration: r.duration,
size: r.transferSize,
type: r.initiatorType
}));
return performanceData;
`;