{"meta":{"title":"Explaining complex algorithms or logic","intro":"Copilot Chat can help add clear and concise documentation on complex algorithms or logic.","product":"GitHub Copilot","breadcrumbs":[{"href":"/en/copilot","title":"GitHub Copilot"},{"href":"/en/copilot/tutorials","title":"Tutorials"},{"href":"/en/copilot/tutorials/copilot-chat-cookbook","title":"GitHub Copilot Chat Cookbook"},{"href":"/en/copilot/tutorials/copilot-chat-cookbook/document-code","title":"Document code"},{"href":"/en/copilot/tutorials/copilot-chat-cookbook/document-code/explain-complex-logic","title":"Explain complex logic"}],"documentType":"article"},"body":"# Explaining complex algorithms or logic\n\nCopilot Chat can help add clear and concise documentation on complex algorithms or logic.\n\nThere may be times where you need to explain complex algorithms or logic in your code. This can be challenging, especially when you're trying to make it understandable to others. Copilot Chat can help you with this task by providing you with suggestions on how to explain the algorithm or logic in a clear and concise manner.\n\n## Example scenario\n\nIn the C# code below, we have a method which fetches data, retries if there's an error, and updates a status label. You might want to explain, in comments in the code, how the method works and how it handles retries and cancellations.\n\n```csharp id=fetch-data-with-retry\nprivate static readonly HttpClient _client = new HttpClient();\n\npublic async Task<string> FetchDataFromApiWithRetryAsync(string apiUrl, CancellationToken cancellationToken, int maxRetries, int cancellationDelay, Label statusLabel)\n{\n    var retryCount = 0;\n    using var cts = CancellationTokenSource.CreateLinkedTokenSource(cancellationToken);\n\n    while (retryCount < maxRetries)\n    {\n        try\n        {\n            cts.CancelAfter(cancellationDelay);\n            return await FetchDataFromApiAsync(cts.Token, statusLabel);\n        }\n        catch (Exception ex) when (!(ex is OperationCanceledException))\n        {\n            if (retryCount < maxRetries - 1) {\n                retryCount++;\n                int delay = (int)Math.Pow(2, retryCount) * 1000;\n                await Task.Delay(delay, cancellationToken);\n                UpdateStatusLabel($\"Retrying ({retryCount}/{maxRetries})...\", statusLabel);\n            } else {\n                throw new Exception($\"Failed to fetch data after {maxRetries} retries: {ex.Message}\", ex);\n            }\n        }\n    }\n\n    throw new OperationCanceledException(\"The operation was cancelled.\", cts.Token);\n}\n\nprivate async Task<string> FetchDataFromApiAsync(string apiUrl, CancellationToken cancellationToken, Label statusLabel)\n{\n    UpdateStatusLabel(\"Fetching data...\", statusLabel);\n\n    HttpResponseMessage response = await _client.GetAsync(apiUrl, cancellationToken);\n    response.EnsureSuccessStatusCode();\n    string data = await response.Content.ReadAsStringAsync();\n\n    UpdateStatusLabel(\"Data fetched.\", statusLabel);\n    return data;\n}\n\nprivate void UpdateStatusLabel(string message, Label statusLabel)\n{\n    if (statusLabel.InvokeRequired) {\n        statusLabel.BeginInvoke(new Action<string, Label>(UpdateStatusLabel), message, statusLabel);\n    } else {\n        statusLabel.Text = message;\n    }\n}\n```\n\n## Example prompt\n\nWe can ask Copilot Chat to make this code easier to understand using comments.\n\n```copilot copy prompt ref=fetch-data-with-retry\nAdd comments to this code to make it more understandable\n```\n\n## Example response\n\n> \\[!NOTE] The following response is an example. Copilot Chat responses are non-deterministic, so you may get a different response from the one shown here.\n\nCopilot responds with an overview of the update it suggests, and the code snippet with the comments added:\n\n```csharp\n// Shared HttpClient instance for making HTTP requests (best practice for reuse)\nprivate static readonly HttpClient _client = new HttpClient();\n\n/// <summary>\n/// Fetches data from an API with retry mechanism and timeout functionality\n/// </summary>\n/// <param name=\"apiUrl\">The URL to fetch data from</param>\n/// <param name=\"cancellationToken\">Token to cancel the operation</param>\n/// <param name=\"maxRetries\">Maximum number of retry attempts</param>\n/// <param name=\"cancellationDelay\">Timeout duration in milliseconds</param>\n/// <param name=\"statusLabel\">UI label to show status updates</param>\npublic async Task<string> FetchDataFromApiWithRetryAsync(string apiUrl, CancellationToken cancellationToken, int maxRetries, int cancellationDelay, Label statusLabel)\n{\n    var retryCount = 0;\n    // Create a linked cancellation token that combines user cancellation and timeout\n    using var cts = CancellationTokenSource.CreateLinkedTokenSource(cancellationToken);\n\n    while (retryCount < maxRetries)\n    {\n        try\n        {\n            // Set timeout for this attempt\n            cts.CancelAfter(cancellationDelay);\n            return await FetchDataFromApiAsync(cts.Token, statusLabel);\n        }\n        catch (Exception ex) when (!(ex is OperationCanceledException))\n        {\n            // If not the last retry attempt, implement exponential backoff\n            if (retryCount < maxRetries - 1) {\n                retryCount++;\n                // Exponential backoff: 2^retryCount seconds (1s, 2s, 4s, 8s, etc.)\n                int delay = (int)Math.Pow(2, retryCount) * 1000;\n                await Task.Delay(delay, cancellationToken);\n                UpdateStatusLabel($\"Retrying ({retryCount}/{maxRetries})...\", statusLabel);\n            } else {\n                // If all retries failed, throw exception with details\n                throw new Exception($\"Failed to fetch data after {maxRetries} retries: {ex.Message}\", ex);\n            }\n        }\n    }\n\n    // This is reached if maxRetries is 0 or some other unexpected case\n    throw new OperationCanceledException(\"The operation was cancelled.\", cts.Token);\n}\n\n/// <summary>\n/// Makes the actual API call to fetch data\n/// </summary>\nprivate async Task<string> FetchDataFromApiAsync(string apiUrl, CancellationToken cancellationToken, Label statusLabel)\n{\n    UpdateStatusLabel(\"Fetching data...\", statusLabel);\n\n    // Perform HTTP GET request with cancellation support\n    HttpResponseMessage response = await _client.GetAsync(apiUrl, cancellationToken);\n    response.EnsureSuccessStatusCode(); // Throws if response is not successful\n    string data = await response.Content.ReadAsStringAsync();\n\n    UpdateStatusLabel(\"Data fetched.\", statusLabel);\n    return data;\n}\n\n/// <summary>\n/// Updates UI label text safely across threads\n/// </summary>\n/// <param name=\"message\">The message to display</param>\n/// <param name=\"statusLabel\">The label control to update</param>\nprivate void UpdateStatusLabel(string message, Label statusLabel)\n{\n    // Check if we need to invoke on UI thread\n    if (statusLabel.InvokeRequired) {\n        // Use BeginInvoke to update label on UI thread\n        statusLabel.BeginInvoke(new Action<string, Label>(UpdateStatusLabel), message, statusLabel);\n    } else {\n        // Direct update if already on UI thread\n        statusLabel.Text = message;\n    }\n}\n```\n\n## Further reading\n\n* [Prompt engineering for GitHub Copilot Chat](/en/copilot/using-github-copilot/prompt-engineering-for-github-copilot)\n* [Best practices for using GitHub Copilot](/en/copilot/using-github-copilot/best-practices-for-using-github-copilot)"}