Skip to content

Commit 39deccf

Browse files
committed
fix: Ignore 422 response while creating commit statuses
Signed-off-by: Ragnar Paide <[email protected]>
1 parent 1f05776 commit 39deccf

File tree

4 files changed

+103
-4
lines changed

4 files changed

+103
-4
lines changed

docs/services/github.md

+4
Original file line numberDiff line numberDiff line change
@@ -95,3 +95,7 @@ template.app-deployed: |
9595
For more information see the [GitHub Deployment API Docs](https://docs.github.com/en/rest/deployments/deployments?apiVersion=2022-11-28#create-a-deployment).
9696
- If `github.pullRequestComment.content` is set to 65536 characters or more, it will be truncated.
9797
- Reference is optional. When set, it will be used as the ref to deploy. If not set, the revision will be used as the ref to deploy.
98+
99+
## Commit Statuses
100+
101+
The [method for generating commit statuses](https://docs.github.com/en/rest/commits/statuses?apiVersion=2022-11-28#create-a-commit-status) only allows a maximum of 1000 attempts using the same commit SHA and context. Once this limit is hit, the API begins to produce validation errors (HTTP 422). The notification engine disregards these errors and labels these notification attempts as completed.

pkg/controller/controller.go

+11-3
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@ package controller
33
import (
44
"context"
55
"encoding/json"
6+
"errors"
67
"fmt"
78
"reflect"
89
"runtime/debug"
@@ -232,9 +233,16 @@ func (c *notificationController) processResourceWithAPI(api api.API, resource v1
232233
if err := api.Send(un.Object, cr.Templates, to); err != nil {
233234
logEntry.Errorf("Failed to notify recipient %s defined in resource %s/%s: %v using the configuration in namespace %s",
234235
to, resource.GetNamespace(), resource.GetName(), err, apiNamespace)
235-
notificationsState.SetAlreadyNotified(c.isSelfServiceConfigureApi(api), apiNamespace, trigger, cr, to, false)
236-
c.metricsRegistry.IncDeliveriesCounter(trigger, to.Service, false)
237-
eventSequence.addError(fmt.Errorf("failed to deliver notification %s to %s: %v using the configuration in namespace %s", trigger, to, err, apiNamespace))
236+
237+
var ghErr *services.TooManyCommitStatusesError
238+
if ok := errors.As(err, &ghErr); ok {
239+
logEntry.Warnf("We seem to have created too many commit statuses for sha %s and context %s. Abandoning the notification.", ghErr.Sha, ghErr.Context)
240+
} else {
241+
notificationsState.SetAlreadyNotified(c.isSelfServiceConfigureApi(api), apiNamespace, trigger, cr, to, false)
242+
c.metricsRegistry.IncDeliveriesCounter(trigger, to.Service, false)
243+
eventSequence.addError(fmt.Errorf("failed to deliver notification %s to %s: %v using the configuration in namespace %s", trigger, to, err, apiNamespace))
244+
}
245+
238246
} else {
239247
logEntry.Debugf("Notification %s was sent using the configuration in namespace %s", to.Recipient, apiNamespace)
240248
c.metricsRegistry.IncDeliveriesCounter(trigger, to.Service, true)

pkg/controller/controller_test.go

+73
Original file line numberDiff line numberDiff line change
@@ -188,6 +188,79 @@ func TestDoesNotSendNotificationIfAnnotationPresent(t *testing.T) {
188188
assert.NoError(t, err)
189189
}
190190

191+
func TestDoesNotSendNotificationIfTooManyCommitStatusesReceived(t *testing.T) {
192+
ctx, cancel := context.WithCancel(context.TODO())
193+
defer cancel()
194+
195+
setAnnotations := func(notifiedAnnoationKeyValue string) func(obj *unstructured.Unstructured) {
196+
return withAnnotations(map[string]string{
197+
subscriptions.SubscribeAnnotationKey("my-trigger", "mock"): "recipient",
198+
notifiedAnnotationKey: notifiedAnnoationKeyValue,
199+
})
200+
}
201+
202+
state := NotificationsState{}
203+
_ = state.SetAlreadyNotified(false, "", "my-trigger", triggers.ConditionResult{}, services.Destination{Service: "mock", Recipient: "recipient"}, false)
204+
app := newResource("test", setAnnotations(mustToJson(state)))
205+
ctrl, api, err := newController(t, ctx, newFakeClient(app))
206+
assert.NoError(t, err)
207+
208+
api.EXPECT().GetConfig().Return(notificationApi.Config{}).AnyTimes()
209+
api.EXPECT().RunTrigger("my-trigger", gomock.Any()).Return([]triggers.ConditionResult{{Triggered: true, Templates: []string{"test"}}}, nil).Times(2)
210+
api.EXPECT().Send(gomock.Any(), gomock.Any(), gomock.Any()).Return(&services.TooManyCommitStatusesError{Sha: "sha", Context: "context"}).Times(1)
211+
212+
// First attempt should hit the TooManyCommitStatusesError.
213+
// Returned annotations1 should contain the information about processed notification
214+
// as a result of hitting the ToomanyCommitStatusesError error.
215+
annotations1, err := ctrl.processResourceWithAPI(api, app, logEntry, &NotificationEventSequence{})
216+
217+
assert.NoError(t, err)
218+
219+
// Persist the notification state in the annotations.
220+
setAnnotations(annotations1[notifiedAnnotationKey])(app)
221+
222+
// The second attempt should see that the notification has already been processed
223+
// and the value of the notification annotation should not change. In the second attempt api.Send is not called.
224+
annotations2, err := ctrl.processResourceWithAPI(api, app, logEntry, &NotificationEventSequence{})
225+
226+
assert.NoError(t, err)
227+
assert.Equal(t, annotations1[notifiedAnnotationKey], annotations2[notifiedAnnotationKey])
228+
}
229+
230+
func TestRetriesNotificationIfSendThrows(t *testing.T) {
231+
ctx, cancel := context.WithCancel(context.TODO())
232+
defer cancel()
233+
234+
setAnnotations := func(notifiedAnnoationKeyValue string) func(obj *unstructured.Unstructured) {
235+
return withAnnotations(map[string]string{
236+
subscriptions.SubscribeAnnotationKey("my-trigger", "mock"): "recipient",
237+
notifiedAnnotationKey: notifiedAnnoationKeyValue,
238+
})
239+
}
240+
241+
state := NotificationsState{}
242+
_ = state.SetAlreadyNotified(false, "", "my-trigger", triggers.ConditionResult{}, services.Destination{Service: "mock", Recipient: "recipient"}, false)
243+
app := newResource("test", setAnnotations(mustToJson(state)))
244+
ctrl, api, err := newController(t, ctx, newFakeClient(app))
245+
assert.NoError(t, err)
246+
247+
api.EXPECT().GetConfig().Return(notificationApi.Config{}).AnyTimes()
248+
api.EXPECT().RunTrigger("my-trigger", gomock.Any()).Return([]triggers.ConditionResult{{Triggered: true, Templates: []string{"test"}}}, nil).Times(2)
249+
api.EXPECT().Send(gomock.Any(), gomock.Any(), gomock.Any()).Return(errors.New("boom")).Times(2)
250+
251+
// First attempt. The returned annotations should not contain the notification state due to the error.
252+
annotations, err := ctrl.processResourceWithAPI(api, app, logEntry, &NotificationEventSequence{})
253+
254+
assert.NoError(t, err)
255+
assert.Empty(t, annotations[notifiedAnnotationKey])
256+
257+
// Second attempt. The returned annotations should not contain the notification state due to the error.
258+
annotations, err = ctrl.processResourceWithAPI(api, app, logEntry, &NotificationEventSequence{})
259+
260+
assert.NoError(t, err)
261+
assert.Empty(t, annotations[notifiedAnnotationKey])
262+
}
263+
191264
func TestRemovesAnnotationIfNoTrigger(t *testing.T) {
192265
ctx, cancel := context.WithCancel(context.TODO())
193266
defer cancel()

pkg/services/github.go

+15-1
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@ package services
33
import (
44
"bytes"
55
"context"
6+
"errors"
67
"fmt"
78
"net/http"
89
"regexp"
@@ -62,6 +63,15 @@ type GitHubPullRequestComment struct {
6263
Content string `json:"content,omitempty"`
6364
}
6465

66+
type TooManyCommitStatusesError struct {
67+
Sha string
68+
Context string
69+
}
70+
71+
func (e *TooManyCommitStatusesError) Error() string {
72+
return fmt.Sprintf("too many commit statuses for sha %s and context %s", e.Sha, e.Context)
73+
}
74+
6575
const (
6676
repoURLtemplate = "{{.app.spec.source.repoURL}}"
6777
revisionTemplate = "{{.app.status.operationState.syncResult.revision}}"
@@ -341,7 +351,11 @@ func (g gitHubService) Send(notification Notification, _ Destination) error {
341351
TargetURL: &notification.GitHub.Status.TargetURL,
342352
},
343353
)
344-
if err != nil {
354+
355+
var ghErr *github.ErrorResponse
356+
if ok := errors.As(err, &ghErr); ok && ghErr.Response.StatusCode == 422 {
357+
return &TooManyCommitStatusesError{Sha: notification.GitHub.revision, Context: notification.GitHub.Status.Label}
358+
} else if err != nil {
345359
return err
346360
}
347361
}

0 commit comments

Comments
 (0)