Skip to content

Commit 6159611

Browse files
authored
🎨 Split out HTTP logic to package. Use it. (#447)
1 parent a07a3e8 commit 6159611

File tree

5 files changed

+479
-56
lines changed

5 files changed

+479
-56
lines changed

‎internal/config/token.go

+7-25
Original file line numberDiff line numberDiff line change
@@ -2,12 +2,11 @@ package config
22

33
import (
44
"context"
5-
"encoding/json"
65
"fmt"
7-
"io"
86
"log"
9-
"net/http"
107
"sync"
8+
9+
httpClient "github.com/buildkite/cli/v3/internal/http"
1110
)
1211

1312
type AccessToken struct {
@@ -44,33 +43,16 @@ func (c *Config) GetTokenScopes() []string {
4443

4544
// fetchTokenInfo retrieves the token information from the Buildkite API
4645
func (c *Config) fetchTokenInfo(ctx context.Context) (*AccessToken, error) {
47-
req, err := http.NewRequestWithContext(
48-
ctx,
49-
"GET",
50-
fmt.Sprintf("%s/v2/access-token", c.RESTAPIEndpoint()),
51-
nil,
46+
client := httpClient.NewClient(
47+
c.APIToken(),
48+
httpClient.WithBaseURL(c.RESTAPIEndpoint()),
5249
)
53-
if err != nil {
54-
return nil, fmt.Errorf("creating request: %w", err)
55-
}
5650

57-
req.Header.Set("Authorization", fmt.Sprintf("Bearer %s", c.APIToken()))
58-
59-
resp, err := http.DefaultClient.Do(req)
51+
var token AccessToken
52+
err := client.Get(ctx, "/v2/access-token", &token)
6053
if err != nil {
6154
return nil, fmt.Errorf("fetching token info: %w", err)
6255
}
63-
defer resp.Body.Close()
64-
65-
if resp.StatusCode != http.StatusOK {
66-
body, _ := io.ReadAll(resp.Body)
67-
return nil, fmt.Errorf("unexpected status %d: %s", resp.StatusCode, string(body))
68-
}
69-
70-
var token AccessToken
71-
if err := json.NewDecoder(resp.Body).Decode(&token); err != nil {
72-
return nil, fmt.Errorf("decoding response: %w", err)
73-
}
7456

7557
return &token, nil
7658
}

‎internal/http/README.md

+79
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,79 @@
1+
# HTTP Client Package
2+
3+
This package provides a common HTTP client with standardized headers and error handling for Buildkite API requests.
4+
5+
## Features
6+
7+
- Standardized authorization header handling
8+
- Common error handling for API responses
9+
- Support for different HTTP methods (GET, POST, PUT, DELETE)
10+
- JSON request and response handling
11+
- Configurable base URL and user agent
12+
13+
## Usage
14+
15+
### Creating a client
16+
17+
```go
18+
import (
19+
"github.com/buildkite/cli/v3/internal/http"
20+
)
21+
22+
// Basic client with token
23+
client := http.NewClient("your-api-token")
24+
25+
// Client with custom base URL
26+
client := http.NewClient(
27+
"your-api-token",
28+
http.WithBaseURL("https://api.example.com"),
29+
)
30+
31+
// Client with custom user agent
32+
client := http.NewClient(
33+
"your-api-token",
34+
http.WithUserAgent("my-app/1.0"),
35+
)
36+
37+
// Client with custom HTTP client
38+
client := http.NewClient(
39+
"your-api-token",
40+
http.WithHTTPClient(customHTTPClient),
41+
)
42+
```
43+
44+
### Making requests
45+
46+
```go
47+
// GET request
48+
var response SomeResponseType
49+
err := client.Get(ctx, "/endpoint", &response)
50+
51+
// POST request with body
52+
requestBody := map[string]string{"key": "value"}
53+
var response SomeResponseType
54+
err := client.Post(ctx, "/endpoint", requestBody, &response)
55+
56+
// PUT request
57+
err := client.Put(ctx, "/endpoint", requestBody, &response)
58+
59+
// DELETE request
60+
err := client.Delete(ctx, "/endpoint", &response)
61+
62+
// Custom method
63+
err := client.Do(ctx, "PATCH", "/endpoint", requestBody, &response)
64+
```
65+
66+
### Error handling
67+
68+
```go
69+
err := client.Get(ctx, "/endpoint", &response)
70+
if err != nil {
71+
// Check if it's an HTTP error
72+
if httpErr, ok := err.(*http.ErrorResponse); ok {
73+
fmt.Printf("HTTP error: %d %s\n", httpErr.StatusCode, httpErr.Status)
74+
fmt.Printf("Response body: %s\n", httpErr.Body)
75+
} else {
76+
fmt.Printf("Other error: %v\n", err)
77+
}
78+
}
79+
```

‎internal/http/client.go

+168
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,168 @@
1+
// Package http provides a common HTTP client with standardized headers and error handling
2+
package http
3+
4+
import (
5+
"bytes"
6+
"context"
7+
"encoding/json"
8+
"fmt"
9+
"io"
10+
"net/http"
11+
"net/url"
12+
"strings"
13+
)
14+
15+
// Client is an HTTP client that handles common operations for Buildkite API requests
16+
type Client struct {
17+
baseURL string
18+
token string
19+
userAgent string
20+
client *http.Client
21+
}
22+
23+
// ClientOption is a function that modifies a Client
24+
type ClientOption func(*Client)
25+
26+
// WithBaseURL sets the base URL for API requests
27+
func WithBaseURL(baseURL string) ClientOption {
28+
return func(c *Client) {
29+
c.baseURL = baseURL
30+
}
31+
}
32+
33+
// WithUserAgent sets the User-Agent header for requests
34+
func WithUserAgent(userAgent string) ClientOption {
35+
return func(c *Client) {
36+
c.userAgent = userAgent
37+
}
38+
}
39+
40+
// WithHTTPClient sets the underlying HTTP client
41+
func WithHTTPClient(client *http.Client) ClientOption {
42+
return func(c *Client) {
43+
c.client = client
44+
}
45+
}
46+
47+
// NewClient creates a new HTTP client with the given token and options
48+
func NewClient(token string, opts ...ClientOption) *Client {
49+
c := &Client{
50+
baseURL: "https://api.buildkite.com",
51+
token: token,
52+
userAgent: "buildkite-cli",
53+
client: http.DefaultClient,
54+
}
55+
56+
for _, opt := range opts {
57+
opt(c)
58+
}
59+
60+
return c
61+
}
62+
63+
// Get performs a GET request to the specified endpoint
64+
func (c *Client) Get(ctx context.Context, endpoint string, v interface{}) error {
65+
return c.Do(ctx, http.MethodGet, endpoint, nil, v)
66+
}
67+
68+
// Post performs a POST request to the specified endpoint with the given body
69+
func (c *Client) Post(ctx context.Context, endpoint string, body interface{}, v interface{}) error {
70+
return c.Do(ctx, http.MethodPost, endpoint, body, v)
71+
}
72+
73+
// Put performs a PUT request to the specified endpoint with the given body
74+
func (c *Client) Put(ctx context.Context, endpoint string, body interface{}, v interface{}) error {
75+
return c.Do(ctx, http.MethodPut, endpoint, body, v)
76+
}
77+
78+
// Delete performs a DELETE request to the specified endpoint
79+
func (c *Client) Delete(ctx context.Context, endpoint string, v interface{}) error {
80+
return c.Do(ctx, http.MethodDelete, endpoint, nil, v)
81+
}
82+
83+
// Do performs an HTTP request with the given method, endpoint, and body
84+
func (c *Client) Do(ctx context.Context, method, endpoint string, body interface{}, v interface{}) error {
85+
// Ensure endpoint starts with "/"
86+
if !strings.HasPrefix(endpoint, "/") {
87+
endpoint = "/" + endpoint
88+
}
89+
90+
// Create the request URL
91+
reqURL, err := url.JoinPath(c.baseURL, endpoint)
92+
if err != nil {
93+
return fmt.Errorf("failed to create request URL: %w", err)
94+
}
95+
96+
// Create the request body
97+
var bodyReader io.Reader
98+
if body != nil {
99+
bodyBytes, err := json.Marshal(body)
100+
if err != nil {
101+
return fmt.Errorf("failed to marshal request body: %w", err)
102+
}
103+
bodyReader = bytes.NewReader(bodyBytes)
104+
}
105+
106+
// Create the request
107+
req, err := http.NewRequestWithContext(ctx, method, reqURL, bodyReader)
108+
if err != nil {
109+
return fmt.Errorf("failed to create request: %w", err)
110+
}
111+
112+
// Set common headers
113+
req.Header.Set("Authorization", fmt.Sprintf("Bearer %s", c.token))
114+
req.Header.Set("User-Agent", c.userAgent)
115+
if body != nil {
116+
req.Header.Set("Content-Type", "application/json")
117+
}
118+
req.Header.Set("Accept", "application/json")
119+
120+
// Execute the request
121+
resp, err := c.client.Do(req)
122+
if err != nil {
123+
return fmt.Errorf("failed to execute request: %w", err)
124+
}
125+
defer resp.Body.Close()
126+
127+
// Read response body
128+
respBody, err := io.ReadAll(resp.Body)
129+
if err != nil {
130+
return fmt.Errorf("failed to read response body: %w", err)
131+
}
132+
133+
// Check for error status
134+
if resp.StatusCode >= 400 {
135+
return &ErrorResponse{
136+
StatusCode: resp.StatusCode,
137+
Status: resp.Status,
138+
URL: reqURL,
139+
Body: respBody,
140+
}
141+
}
142+
143+
// Parse the response if a target was provided
144+
if v != nil && len(respBody) > 0 {
145+
if err := json.Unmarshal(respBody, v); err != nil {
146+
return fmt.Errorf("failed to unmarshal response: %w", err)
147+
}
148+
}
149+
150+
return nil
151+
}
152+
153+
// ErrorResponse represents an error response from the API
154+
type ErrorResponse struct {
155+
StatusCode int
156+
Status string
157+
URL string
158+
Body []byte
159+
}
160+
161+
// Error implements the error interface
162+
func (e *ErrorResponse) Error() string {
163+
msg := fmt.Sprintf("HTTP request failed: %d %s (%s)", e.StatusCode, e.Status, e.URL)
164+
if len(e.Body) > 0 {
165+
msg += fmt.Sprintf(": %s", e.Body)
166+
}
167+
return msg
168+
}

0 commit comments

Comments
 (0)