Sub GetAPIData()
    Dim http As Object
    Dim JSON As Object
    Dim url As String
    Dim username As String
    Dim password As String
    Dim ws As Worksheet
    Dim rowNum As Integer, colNum As Integer
    Dim firstRecord As Object
    Dim key As Variant
    Dim headers As Object
    
    ' API Credentials (Modify as needed)
    username = "your-email@example.com"
    password = "your-api-token"
 
    ' API URL (Modify for your needs)
    url = "https://your-jira-instance.atlassian.net/rest/api/3/search?jql=project=MYPROJECT"
 
    ' Create HTTP Request Object
    Set http = CreateObject("MSXML2.XMLHTTP")
    http.Open "GET", url, False, username, password
    http.setRequestHeader "Content-Type", "application/json"
    http.setRequestHeader "Authorization", "Basic " & Base64Encode(username & ":" & password)
    http.Send
    
    ' Parse JSON Response
    Set JSON = JsonConverter.ParseJson(http.responseText)
    
    ' Get first record to determine headers dynamically
    If JSON("issues").Count = 0 Then
        MsgBox "No data found!", vbExclamation
        Exit Sub
    End If
    
    ' Select worksheet and clear old data
    Set ws = ThisWorkbook.Sheets("API_Data")
    ws.Cells.ClearContents
    
    ' Extract headers from first record
    Set firstRecord = JSON("issues")(1)("fields") ' Adjust based on API structure
    colNum = 1
    Set headers = CreateObject("Scripting.Dictionary")
 
    For Each key In firstRecord.keys
        headers.Add key, colNum
        ws.Cells(1, colNum).Value = key  ' Write headers
        colNum = colNum + 1
    Next key
 
    ' Loop through records and write data
    rowNum = 2
    For Each issue In JSON("issues")
        colNum = 1
        For Each key In firstRecord.keys
            If issue("fields").Exists(key) Then
                ws.Cells(rowNum, headers(key)).Value = issue("fields")(key)
            Else
                ws.Cells(rowNum, headers(key)).Value = "N/A"
            End If
        Next key
        rowNum = rowNum + 1
    Next issue
 
    MsgBox "Data Imported Successfully!", vbInformation
End Sub
 
' Function to encode Base64 for authentication
Function Base64Encode(text As String) As String
    Dim arr() As Byte
    Dim objXML As Object
    Dim objNode As Object
    
    arr = StrConv(text, vbFromUnicode)
    Set objXML = CreateObject("MSXML2.DOMDocument")
    Set objNode = objXML.createElement("b64")
    objNode.DataType = "bin.base64"
    objNode.nodeTypedValue = arr
    Base64Encode = objNode.Text
End Function
 safe loop
For Each issue In JSON("issues")
    For Each key In firstRecord.keys
        If issue("fields").Exists(key) Then
            On Error Resume Next
            If IsObject(issue("fields")(key)) Then
                ws.Cells(rowNum, headers(key)).Value = "[Object]"
            Else
                ws.Cells(rowNum, headers(key)).Value = issue("fields")(key)
            End If
            On Error GoTo 0
        Else
            ws.Cells(rowNum, headers(key)).Value = "N/A"
        End If
    Next key
    rowNum = rowNum + 1
Next issuepython inspect
import requests
import json
from requests.auth import HTTPBasicAuth
 
# === Your Jira credentials ===
username = "your-username"       # e.g. "admin" or your email
password = "your-password"       # actual password (not API token)
 
# === Jira API endpoint ===
project_key = "MYPROJECT"
url = f"https://your-jira-instance.com/rest/api/3/search?jql=project={project_key}"
 
# === Send GET request with Basic Auth ===
response = requests.get(
    url,
    auth=HTTPBasicAuth(username, password),
    headers={"Content-Type": "application/json"}
)
 
# === Inspect the response ===
if response.status_code == 200:
    data = response.json()
    
    # Pretty-print the full JSON response
    print(json.dumps(data, indent=2))
    
    # Inspect the first issue
    if data["issues"]:
        first_issue = data["issues"][0]
        print("\n--- First Issue ---")
        print(f"Key: {first_issue['key']}")
        print(f"Summary: {first_issue['fields']['summary']}")
        
        # Loop through custom fields
        print("\n--- Custom Fields ---")
        for key, value in first_issue["fields"].items():
            if key.startswith("customfield_"):
                print(f"{key}: {value}")
    else:
        print("No issues found.")
else:
    print(f"Request failed with status code {response.status_code}")
    print(response.text)pagination
Sub GetJiraProjectIssues()
    Dim http As Object
    Dim JSON As Object
    Dim url As String
    Dim username As String
    Dim apiToken As String
    Dim startAt As Long
    Dim maxResults As Long
    Dim total As Long
    Dim issues As Object
    Dim issue As Object
    Dim i As Long
 
    ' === Credentials ===
    username = "your-email@example.com"
    apiToken = "your-api-token" ' or password if using Jira Server
 
    ' === Jira settings ===
    Dim baseUrl As String
    Dim projectKey As String
    baseUrl = "https://yourcompany.atlassian.net"
    projectKey = "MYPROJECT"
    
    startAt = 0
    maxResults = 50 ' Jira default max is 50 for cloud
 
    Do
        ' === Build API URL with pagination ===
        url = baseUrl & "/rest/api/3/search?jql=project=" & projectKey & _
              "&startAt=" & startAt & "&maxResults=" & maxResults & _
              "&fields=summary,status,assignee"
 
        ' === Create HTTP request ===
        Set http = CreateObject("MSXML2.XMLHTTP")
        http.Open "GET", url, False
        http.setRequestHeader "Content-Type", "application/json"
        http.setRequestHeader "Authorization", "Basic " & Base64Encode(username & ":" & apiToken)
        http.Send
 
        ' === Parse response ===
        If http.Status = 200 Then
            Set JSON = JsonConverter.ParseJson(http.responseText)
            Set issues = JSON("issues")
            total = JSON("total")
 
            ' === Loop through issues ===
            For Each issue In issues
                Debug.Print "Key: " & issue("key")
                Debug.Print "Summary: " & issue("fields")("summary")
                Debug.Print "Status: " & issue("fields")("status")("name")
                If Not issue("fields")("assignee") Is Nothing Then
                    Debug.Print "Assignee: " & issue("fields")("assignee")("displayName")
                Else
                    Debug.Print "Assignee: Unassigned"
                End If
                Debug.Print "------"
            Next issue
 
            ' === Prepare for next page ===
            startAt = startAt + maxResults
        Else
            MsgBox "Error: " & http.Status & " - " & http.responseText, vbCritical
            Exit Sub
        End If
    Loop While startAt < total
 
    MsgBox "All issues retrieved successfully.", vbInformation
End Sub