Generate and Execute C# Code

POST
/tools-api/code/csharp/generate-and-execute

Description

This endpoint generates and executes C# code based on a natural language task description or code specification. It uses AI to transform your requirements into functional C# code and then runs it on the server in a .NET Framework 4.8 environment. This provides a powerful way to automate Windows tasks without needing to write code yourself.

Token Usage: Each invocation of this endpoint consumes 500 Smooth Operator API tokens due to the advanced AI generation capabilities required.

Advantage: Unlike the regular "Execute C# Code" endpoint where you need to provide the actual code, this endpoint only requires a description of what you want to accomplish. The AI will handle generating the appropriate C# code for you.
Security Note: This endpoint executes dynamically generated C# code on the server. It should only be used in secure environments where you trust the source of the task descriptions being submitted. The execution is sandboxed, but still has access to many system APIs.

Request Format

{
  "taskDescription": "string"  // Detailed description of what the code should do
}
            

Parameters

Parameter Type Required Description
taskDescription string Yes A detailed natural language description of what the C# code should do. This should include the task objectives, requirements, and any relevant context information. This is the only required parameter.

Task Description Guidelines

For best results, your task description should include:

Response Format

{
  "success": boolean,      // Whether the execution was successful
  "result": "string",      // The result returned by the executed code
  "message": "string",     // Status message or error description
  "timestamp": "datetime"  // When the response was generated
}
            

Response Fields

Field Type Description
success boolean Indicates whether the code was generated and executed successfully.
result string The result returned by the executed code, typically in JSON format for complex data.
message string A status message or error description that provides context about the result.
timestamp datetime The time when the response was generated.

Capabilities of Generated Code

The AI-generated C# code has access to a variety of capabilities and tools for Windows automation:

Environment:

Special APIs and Tools:

Common Use Cases:

Tip: For complex, multi-step tasks, consider breaking them down into smaller actions. For example, if your task is "write an HTML report describing the purpose of the biggest file on the hard disk," you might first use this endpoint to find the biggest file, then use it again to generate the HTML report based on that information.

Code Examples

import requests
import json

def generate_and_execute_csharp(task_description, api_key=None):
    """
    Generate and execute C# code based on a task description.
    
    Args:
        task_description (str): Natural language description of what the code should do
        api_key (str, optional): Your API key for authentication
        
    Returns:
        dict: The execution results
    """
    url = "http://localhost:5000/tools-api/code/csharp/generate-and-execute"
    
    headers = {
        "Content-Type": "application/json"
    }
    
    # Add authorization header if API key is provided
    if api_key:
        headers["Authorization"] = f"Bearer {api_key}"
    
    data = {
        "taskDescription": task_description
    }
    
    response = requests.post(url, headers=headers, data=json.dumps(data))
    return response.json()

# Example 1: List all running processes
task = "List all currently running processes on the system, showing their name, ID, and memory usage (MB)"
result = generate_and_execute_csharp(task)

print(f"Success: {result['success']}")
print(f"Message: {result['message']}")
print(f"Result: {result['result']}")

# Example 2: Find largest files in a directory
task = """
Find the 10 largest files in the C:\\Windows directory. 
For each file, show the full path, size in MB, and last modified date.
Skip system files that might be locked.
"""
result = generate_and_execute_csharp(task)

print(f"Success: {result['success']}")
print(f"Result: {result['result']}")
                    
interface GenerateAndExecuteCSharpRequest {
  taskDescription: string;
}

interface GenerateAndExecuteCSharpResponse {
  success: boolean;
  result: string;
  message: string;
  timestamp: string;
}

/**
 * Generate and execute C# code based on a task description.
 * 
 * @param taskDescription - Natural language description of what the code should do
 * @param apiKey - Optional API key for authentication
 * @returns A promise that resolves to the execution results
 */
async function generateAndExecuteCSharp(
  taskDescription: string,
  apiKey?: string
): Promise {
  const url = 'http://localhost:5000/tools-api/code/csharp/generate-and-execute';
  
  const headers: Record = {
    'Content-Type': 'application/json'
  };
  
  // Add authorization header if API key is provided
  if (apiKey) {
    headers['Authorization'] = `Bearer ${apiKey}`;
  }
  
  const request: GenerateAndExecuteCSharpRequest = {
    taskDescription
  };
  
  const response = await fetch(url, {
    method: 'POST',
    headers,
    body: JSON.stringify(request)
  });
  
  return await response.json();
}

// Example usage
(async () => {
  const API_KEY = 'your_api_key_here';
  
  try {
    // Example 1: Take a screenshot and save it
    const taskDescription = `
    Take a screenshot of the current screen, save it to the desktop
    with the filename "screenshot_{current_date}.png" where {current_date}
    is in the format yyyy-MM-dd-HHmmss.
    Return the full path to the saved file.
    `;
    
    console.log('Generating and executing C# code for screenshot task...');
    const result = await generateAndExecuteCSharp(taskDescription, API_KEY);
    
    console.log(`Success: ${result.success}`);
    console.log(`Message: ${result.message}`);
    console.log(`Result: ${result.result}`);
    
    // Example 2: Get system information
    const sysInfoTask = `
    Gather the following system information:
    - Computer name
    - Windows version
    - CPU model and core count
    - Total RAM
    - Free disk space on all drives
    - Network adapters with their IP addresses
    
    Format the result as a JSON object.
    `;
    
    console.log('\nGenerating and executing C# code for system info task...');
    const sysInfoResult = await generateAndExecuteCSharp(sysInfoTask, API_KEY);
    
    console.log(`Success: ${sysInfoResult.success}`);
    if (sysInfoResult.success) {
      // Parse the JSON result to display it nicely
      const sysInfo = JSON.parse(sysInfoResult.result);
      console.log('System Information:');
      console.log(JSON.stringify(sysInfo, null, 2));
    } else {
      console.log(`Error: ${sysInfoResult.message}`);
    }
  } catch (error) {
    console.error('Error executing operation:', 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 GenerateAndExecuteCSharpRequest
{
    public string TaskDescription { get; set; }
}

public class GenerateAndExecuteCSharpResponse
{
    public bool Success { get; set; }
    public string Result { get; set; }
    public string Message { get; set; }
    public DateTime Timestamp { get; set; }
}

public class ToolsServerClient
{
    private readonly HttpClient _httpClient;
    private readonly string _apiKey;
    
    public ToolsServerClient(string apiKey = null)
    {
        _httpClient = new HttpClient();
        _httpClient.BaseAddress = new Uri("http://localhost:5000/");
        _apiKey = apiKey;
        
        if (!string.IsNullOrEmpty(apiKey))
        {
            _httpClient.DefaultRequestHeaders.Authorization = new AuthenticationHeaderValue("Bearer", apiKey);
        }
    }
    
    /// 
    /// Generate and execute C# code based on a task description.
    /// 
    /// Natural language description of what the code should do
    /// The execution results
    public async Task GenerateAndExecuteCSharpAsync(string taskDescription)
    {
        var request = new GenerateAndExecuteCSharpRequest
        {
            TaskDescription = taskDescription
        };
        
        var json = JsonSerializer.Serialize(request);
        var content = new StringContent(json, Encoding.UTF8, "application/json");
        
        var response = await _httpClient.PostAsync("tools-api/code/csharp/generate-and-execute", content);
        response.EnsureSuccessStatusCode();
        
        var responseBody = await response.Content.ReadAsStringAsync();
        return JsonSerializer.Deserialize(responseBody, new JsonSerializerOptions
        {
            PropertyNameCaseInsensitive = true
        });
    }
}

// Example usage
class Program
{
    static async Task Main(string[] args)
    {
        var client = new ToolsServerClient("your_api_key_here");
        
        try
        {
            // Example 1: Extract text from a PDF file
            var taskDescription = @"
                Open the PDF file at C:\Documents\report.pdf,
                extract all the text content,
                and return it as a string.
                If the file doesn't exist, return an appropriate error message.
            ";
            
            Console.WriteLine("Generating and executing C# code for PDF text extraction...");
            var result = await client.GenerateAndExecuteCSharpAsync(taskDescription);
            
            Console.WriteLine($"Success: {result.Success}");
            Console.WriteLine($"Message: {result.Message}");
            
            if (result.Success)
            {
                Console.WriteLine("First 100 characters of extracted text:");
                Console.WriteLine(result.Result.Length > 100 
                    ? result.Result.Substring(0, 100) + "..." 
                    : result.Result);
            }
            
            // Example 2: Monitor a process
            var monitorTaskDescription = @"
                Monitor the Chrome process for 10 seconds.
                Every second, record its CPU usage and memory consumption.
                Return a JSON array with the collected data points.
                If Chrome is not running, start it first.
            ";
            
            Console.WriteLine("\nGenerating and executing C# code for process monitoring...");
            var monitorResult = await client.GenerateAndExecuteCSharpAsync(monitorTaskDescription);
            
            Console.WriteLine($"Success: {monitorResult.Success}");
            if (monitorResult.Success)
            {
                Console.WriteLine("Monitoring result:");
                Console.WriteLine(monitorResult.Result);
            }
            else
            {
                Console.WriteLine($"Error: {monitorResult.Message}");
            }
        }
        catch (Exception ex)
        {
            Console.WriteLine($"Error: {ex.Message}");
        }
    }
}
                    

Examples

Example 1: File System Operations

This example demonstrates using the endpoint to find and analyze large files on the system:

// Request
POST /tools-api/code/csharp/generate-and-execute
{
  "taskDescription": "Find all files larger than 100MB in the C:\\Users directory and its subdirectories. For each file, return the full path, size in MB, and last modified date. Sort the results by size in descending order."
}

// Response
{
  "success": true,
  "result": "[{\"path\":\"C:\\\\Users\\\\john\\\\Videos\\\\vacation.mp4\",\"sizeInMB\":1250.45,\"lastModified\":\"2025-01-15T14:23:10\"},{\"path\":\"C:\\\\Users\\\\john\\\\Downloads\\\\setup.exe\",\"sizeInMB\":325.12,\"lastModified\":\"2025-02-01T09:45:22\"},...]",
  "message": "Successfully found 12 files larger than 100MB",
  "timestamp": "2025-02-20T12:34:56"
}
            

Example 2: UI Automation

This example shows how to automate interactions with Windows applications:

// Request
POST /tools-api/code/csharp/generate-and-execute
{
  "taskDescription": "Open Notepad, type 'Hello, World!' followed by the current date and time, save the file to the desktop as 'test.txt', and then close Notepad. Return the full path to the saved file."
}

// Response
{
  "success": true,
  "result": "{\"filePath\":\"C:\\\\Users\\\\john\\\\Desktop\\\\test.txt\",\"content\":\"Hello, World! 2025-02-20 12:38:45\",\"executionLog\":\"Opened Notepad > Typed text > Saved file > Closed Notepad\"}",
  "message": "Successfully automated Notepad operation",
  "timestamp": "2025-02-20T12:39:01"
}
            

Example 3: System Information

This example retrieves system information:

// Request
POST /tools-api/code/csharp/generate-and-execute
{
  "taskDescription": "Gather the following system information: OS version, CPU model, total RAM, free disk space on C: drive, and list of installed applications. Return the information in a structured JSON format."
}

// Response
{
  "success": true,
  "result": "{\"os\":{\"version\":\"Windows 10 Pro\",\"build\":\"19042.1288\"},\"cpu\":{\"model\":\"Intel Core i7-10700K\",\"cores\":8,\"threads\":16},\"ram\":{\"totalGB\":32.0,\"freeGB\":18.5},\"disk\":{\"drive\":\"C:\",\"totalGB\":1000,\"freeGB\":654.32},\"installedApps\":[\"Microsoft Office\",\"Google Chrome\",\"Adobe Creative Cloud\",\"Visual Studio 2022\",...]}",
  "message": "Successfully gathered system information",
  "timestamp": "2025-02-20T12:42:15"
}
            
Important: The C# code generation and execution has a default timeout of 60 seconds. Long-running operations may be terminated before completion. If you need to perform a time-consuming task, consider breaking it into smaller steps or implementing progress reporting.