Navigates back to the previous page in the Chrome browser. This endpoint allows agent systems to navigate through browser history in an automated way.
Chrome must be started with the Open Chrome
action first before using this endpoint.
This endpoint doesn't require any request parameters - an empty JSON object can be sent.
{
// No parameters required
}
The response is a simple object containing information about the success or failure of the go-back operation.
{
"success": true,
"message": "Successfully navigated back to the previous page",
"timestamp": "2023-08-15T14:30:45.123Z"
}
import requests
import json
def go_back_in_chrome():
url = "http://localhost:9500/tools-api/chrome/go-back"
headers = {
"Content-Type": "application/json",
"Authorization": "Bearer YOUR_API_KEY"
}
# No parameters needed for this endpoint
payload = {}
response = requests.post(url, headers=headers, json=payload)
if response.status_code == 200:
return response.json()
else:
print(f"Error: {response.status_code}, {response.text}")
return None
# Example usage
result = go_back_in_chrome()
print(json.dumps(result, indent=2))
interface ActionResponse {
success: boolean;
message: string;
timestamp: string;
}
async function goBackInChrome(): Promise {
const url = 'http://localhost:9500/tools-api/chrome/go-back';
const response = await fetch(url, {
method: 'POST',
headers: {
'Content-Type': 'application/json',
'Authorization': 'Bearer YOUR_API_KEY'
},
body: JSON.stringify({}) // Empty object as body
});
if (!response.ok) {
throw new Error(`HTTP error! Status: ${response.status}`);
}
return await response.json() as ActionResponse;
}
// Example usage
async function testGoBack() {
try {
const result = await goBackInChrome();
console.log('Go back result:', result);
} catch (error) {
console.error('Error navigating back:', error);
}
}
testGoBack();
using System;
using System.Net.Http;
using System.Net.Http.Headers;
using System.Text;
using System.Text.Json;
using System.Threading.Tasks;
public class ChromeNavigationExample
{
private readonly HttpClient _httpClient;
private readonly string _apiKey;
public ChromeNavigationExample(string apiKey)
{
_apiKey = apiKey;
_httpClient = new HttpClient();
_httpClient.DefaultRequestHeaders.Authorization =
new AuthenticationHeaderValue("Bearer", _apiKey);
}
public async Task<ActionResponse> GoBackAsync()
{
string url = "http://localhost:9500/tools-api/chrome/go-back";
// Create an empty JSON payload
var content = new StringContent("{}", Encoding.UTF8, "application/json");
var response = await _httpClient.PostAsync(url, content);
response.EnsureSuccessStatusCode();
var responseString = await response.Content.ReadAsStringAsync();
return JsonSerializer.Deserialize<ActionResponse>(responseString,
new JsonSerializerOptions { PropertyNameCaseInsensitive = true });
}
}
public class ActionResponse
{
public bool Success { get; set; }
public string Message { get; set; }
public DateTime Timestamp { get; set; }
}
// Example usage
public class Program
{
public static async Task Main()
{
var client = new ChromeNavigationExample("YOUR_API_KEY");
var result = await client.GoBackAsync();
Console.WriteLine($"Success: {result.Success}");
Console.WriteLine($"Message: {result.Message}");
Console.WriteLine($"Timestamp: {result.Timestamp}");
}
}