49 changed files with 1266 additions and 756 deletions
@ -0,0 +1,208 @@
|
||||
// Copyright 2019 The Gitea Authors. All rights reserved.
|
||||
// Use of this source code is governed by a MIT-style
|
||||
// license that can be found in the LICENSE file.
|
||||
|
||||
package webhook |
||||
|
||||
import ( |
||||
"crypto/tls" |
||||
"fmt" |
||||
"io/ioutil" |
||||
"net" |
||||
"net/http" |
||||
"net/url" |
||||
"strings" |
||||
"time" |
||||
|
||||
"code.gitea.io/gitea/models" |
||||
"code.gitea.io/gitea/modules/log" |
||||
"code.gitea.io/gitea/modules/setting" |
||||
"github.com/unknwon/com" |
||||
) |
||||
|
||||
// Deliver deliver hook task
|
||||
func Deliver(t *models.HookTask) error { |
||||
t.IsDelivered = true |
||||
|
||||
var req *http.Request |
||||
var err error |
||||
|
||||
switch t.HTTPMethod { |
||||
case "": |
||||
log.Info("HTTP Method for webhook %d empty, setting to POST as default", t.ID) |
||||
fallthrough |
||||
case http.MethodPost: |
||||
switch t.ContentType { |
||||
case models.ContentTypeJSON: |
||||
req, err = http.NewRequest("POST", t.URL, strings.NewReader(t.PayloadContent)) |
||||
if err != nil { |
||||
return err |
||||
} |
||||
|
||||
req.Header.Set("Content-Type", "application/json") |
||||
case models.ContentTypeForm: |
||||
var forms = url.Values{ |
||||
"payload": []string{t.PayloadContent}, |
||||
} |
||||
|
||||
req, err = http.NewRequest("POST", t.URL, strings.NewReader(forms.Encode())) |
||||
if err != nil { |
||||
|
||||
return err |
||||
} |
||||
|
||||
req.Header.Set("Content-Type", "application/x-www-form-urlencoded") |
||||
} |
||||
case http.MethodGet: |
||||
u, err := url.Parse(t.URL) |
||||
if err != nil { |
||||
return err |
||||
} |
||||
vals := u.Query() |
||||
vals["payload"] = []string{t.PayloadContent} |
||||
u.RawQuery = vals.Encode() |
||||
req, err = http.NewRequest("GET", u.String(), nil) |
||||
if err != nil { |
||||
return err |
||||
} |
||||
default: |
||||
return fmt.Errorf("Invalid http method for webhook: [%d] %v", t.ID, t.HTTPMethod) |
||||
} |
||||
|
||||
req.Header.Add("X-Gitea-Delivery", t.UUID) |
||||
req.Header.Add("X-Gitea-Event", string(t.EventType)) |
||||
req.Header.Add("X-Gitea-Signature", t.Signature) |
||||
req.Header.Add("X-Gogs-Delivery", t.UUID) |
||||
req.Header.Add("X-Gogs-Event", string(t.EventType)) |
||||
req.Header.Add("X-Gogs-Signature", t.Signature) |
||||
req.Header["X-GitHub-Delivery"] = []string{t.UUID} |
||||
req.Header["X-GitHub-Event"] = []string{string(t.EventType)} |
||||
|
||||
// Record delivery information.
|
||||
t.RequestInfo = &models.HookRequest{ |
||||
Headers: map[string]string{}, |
||||
} |
||||
for k, vals := range req.Header { |
||||
t.RequestInfo.Headers[k] = strings.Join(vals, ",") |
||||
} |
||||
|
||||
t.ResponseInfo = &models.HookResponse{ |
||||
Headers: map[string]string{}, |
||||
} |
||||
|
||||
defer func() { |
||||
t.Delivered = time.Now().UnixNano() |
||||
if t.IsSucceed { |
||||
log.Trace("Hook delivered: %s", t.UUID) |
||||
} else { |
||||
log.Trace("Hook delivery failed: %s", t.UUID) |
||||
} |
||||
|
||||
if err := models.UpdateHookTask(t); err != nil { |
||||
log.Error("UpdateHookTask [%d]: %v", t.ID, err) |
||||
} |
||||
|
||||
// Update webhook last delivery status.
|
||||
w, err := models.GetWebhookByID(t.HookID) |
||||
if err != nil { |
||||
log.Error("GetWebhookByID: %v", err) |
||||
return |
||||
} |
||||
if t.IsSucceed { |
||||
w.LastStatus = models.HookStatusSucceed |
||||
} else { |
||||
w.LastStatus = models.HookStatusFail |
||||
} |
||||
if err = models.UpdateWebhookLastStatus(w); err != nil { |
||||
log.Error("UpdateWebhookLastStatus: %v", err) |
||||
return |
||||
} |
||||
}() |
||||
|
||||
resp, err := webhookHTTPClient.Do(req) |
||||
if err != nil { |
||||
t.ResponseInfo.Body = fmt.Sprintf("Delivery: %v", err) |
||||
return err |
||||
} |
||||
defer resp.Body.Close() |
||||
|
||||
// Status code is 20x can be seen as succeed.
|
||||
t.IsSucceed = resp.StatusCode/100 == 2 |
||||
t.ResponseInfo.Status = resp.StatusCode |
||||
for k, vals := range resp.Header { |
||||
t.ResponseInfo.Headers[k] = strings.Join(vals, ",") |
||||
} |
||||
|
||||
p, err := ioutil.ReadAll(resp.Body) |
||||
if err != nil { |
||||
t.ResponseInfo.Body = fmt.Sprintf("read body: %s", err) |
||||
return err |
||||
} |
||||
t.ResponseInfo.Body = string(p) |
||||
return nil |
||||
} |
||||
|
||||
// DeliverHooks checks and delivers undelivered hooks.
|
||||
// TODO: shoot more hooks at same time.
|
||||
func DeliverHooks() { |
||||
tasks, err := models.FindUndeliveredHookTasks() |
||||
if err != nil { |
||||
log.Error("DeliverHooks: %v", err) |
||||
return |
||||
} |
||||
|
||||
// Update hook task status.
|
||||
for _, t := range tasks { |
||||
if err = Deliver(t); err != nil { |
||||
log.Error("deliver: %v", err) |
||||
} |
||||
} |
||||
|
||||
// Start listening on new hook requests.
|
||||
for repoIDStr := range hookQueue.Queue() { |
||||
log.Trace("DeliverHooks [repo_id: %v]", repoIDStr) |
||||
hookQueue.Remove(repoIDStr) |
||||
|
||||
repoID, err := com.StrTo(repoIDStr).Int64() |
||||
if err != nil { |
||||
log.Error("Invalid repo ID: %s", repoIDStr) |
||||
continue |
||||
} |
||||
|
||||
tasks, err := models.FindRepoUndeliveredHookTasks(repoID) |
||||
if err != nil { |
||||
log.Error("Get repository [%d] hook tasks: %v", repoID, err) |
||||
continue |
||||
} |
||||
for _, t := range tasks { |
||||
if err = Deliver(t); err != nil { |
||||
log.Error("deliver: %v", err) |
||||
} |
||||
} |
||||
} |
||||
} |
||||
|
||||
var webhookHTTPClient *http.Client |
||||
|
||||
// InitDeliverHooks starts the hooks delivery thread
|
||||
func InitDeliverHooks() { |
||||
timeout := time.Duration(setting.Webhook.DeliverTimeout) * time.Second |
||||
|
||||
webhookHTTPClient = &http.Client{ |
||||
Transport: &http.Transport{ |
||||
TLSClientConfig: &tls.Config{InsecureSkipVerify: setting.Webhook.SkipTLSVerify}, |
||||
Proxy: http.ProxyFromEnvironment, |
||||
Dial: func(netw, addr string) (net.Conn, error) { |
||||
conn, err := net.DialTimeout(netw, addr, timeout) |
||||
if err != nil { |
||||
return nil, err |
||||
} |
||||
|
||||
return conn, conn.SetDeadline(time.Now().Add(timeout)) |
||||
|
||||
}, |
||||
}, |
||||
} |
||||
|
||||
go DeliverHooks() |
||||
} |
@ -0,0 +1,16 @@
|
||||
// Copyright 2019 The Gitea Authors. All rights reserved.
|
||||
// Use of this source code is governed by a MIT-style
|
||||
// license that can be found in the LICENSE file.
|
||||
|
||||
package webhook |
||||
|
||||
import ( |
||||
"path/filepath" |
||||
"testing" |
||||
|
||||
"code.gitea.io/gitea/models" |
||||
) |
||||
|
||||
func TestMain(m *testing.M) { |
||||
models.MainTest(m, filepath.Join("..", "..")) |
||||
} |
@ -0,0 +1,189 @@
|
||||
// Copyright 2019 The Gitea Authors. All rights reserved.
|
||||
// Use of this source code is governed by a MIT-style
|
||||
// license that can be found in the LICENSE file.
|
||||
|
||||
package webhook |
||||
|
||||
import ( |
||||
"crypto/hmac" |
||||
"crypto/sha256" |
||||
"encoding/hex" |
||||
"fmt" |
||||
"strings" |
||||
|
||||
"code.gitea.io/gitea/models" |
||||
"code.gitea.io/gitea/modules/git" |
||||
"code.gitea.io/gitea/modules/log" |
||||
"code.gitea.io/gitea/modules/setting" |
||||
api "code.gitea.io/gitea/modules/structs" |
||||
"code.gitea.io/gitea/modules/sync" |
||||
"github.com/gobwas/glob" |
||||
) |
||||
|
||||
// hookQueue is a global queue of web hooks
|
||||
var hookQueue = sync.NewUniqueQueue(setting.Webhook.QueueLength) |
||||
|
||||
// getPayloadBranch returns branch for hook event, if applicable.
|
||||
func getPayloadBranch(p api.Payloader) string { |
||||
switch pp := p.(type) { |
||||
case *api.CreatePayload: |
||||
if pp.RefType == "branch" { |
||||
return pp.Ref |
||||
} |
||||
case *api.DeletePayload: |
||||
if pp.RefType == "branch" { |
||||
return pp.Ref |
||||
} |
||||
case *api.PushPayload: |
||||
if strings.HasPrefix(pp.Ref, git.BranchPrefix) { |
||||
return pp.Ref[len(git.BranchPrefix):] |
||||
} |
||||
} |
||||
return "" |
||||
} |
||||
|
||||
// PrepareWebhook adds special webhook to task queue for given payload.
|
||||
func PrepareWebhook(w *models.Webhook, repo *models.Repository, event models.HookEventType, p api.Payloader) error { |
||||
if err := prepareWebhook(w, repo, event, p); err != nil { |
||||
return err |
||||
} |
||||
|
||||
go hookQueue.Add(repo.ID) |
||||
return nil |
||||
} |
||||
|
||||
func checkBranch(w *models.Webhook, branch string) bool { |
||||
if w.BranchFilter == "" || w.BranchFilter == "*" { |
||||
return true |
||||
} |
||||
|
||||
g, err := glob.Compile(w.BranchFilter) |
||||
if err != nil { |
||||
// should not really happen as BranchFilter is validated
|
||||
log.Error("CheckBranch failed: %s", err) |
||||
return false |
||||
} |
||||
|
||||
return g.Match(branch) |
||||
} |
||||
|
||||
func prepareWebhook(w *models.Webhook, repo *models.Repository, event models.HookEventType, p api.Payloader) error { |
||||
for _, e := range w.EventCheckers() { |
||||
if event == e.Type { |
||||
if !e.Has() { |
||||
return nil |
||||
} |
||||
} |
||||
} |
||||
|
||||
// If payload has no associated branch (e.g. it's a new tag, issue, etc.),
|
||||
// branch filter has no effect.
|
||||
if branch := getPayloadBranch(p); branch != "" { |
||||
if !checkBranch(w, branch) { |
||||
log.Info("Branch %q doesn't match branch filter %q, skipping", branch, w.BranchFilter) |
||||
return nil |
||||
} |
||||
} |
||||
|
||||
var payloader api.Payloader |
||||
var err error |
||||
// Use separate objects so modifications won't be made on payload on non-Gogs/Gitea type hooks.
|
||||
switch w.HookTaskType { |
||||
case models.SLACK: |
||||
payloader, err = models.GetSlackPayload(p, event, w.Meta) |
||||
if err != nil { |
||||
return fmt.Errorf("GetSlackPayload: %v", err) |
||||
} |
||||
case models.DISCORD: |
||||
payloader, err = models.GetDiscordPayload(p, event, w.Meta) |
||||
if err != nil { |
||||
return fmt.Errorf("GetDiscordPayload: %v", err) |
||||
} |
||||
case models.DINGTALK: |
||||
payloader, err = models.GetDingtalkPayload(p, event, w.Meta) |
||||
if err != nil { |
||||
return fmt.Errorf("GetDingtalkPayload: %v", err) |
||||
} |
||||
case models.TELEGRAM: |
||||
payloader, err = models.GetTelegramPayload(p, event, w.Meta) |
||||
if err != nil { |
||||
return fmt.Errorf("GetTelegramPayload: %v", err) |
||||
} |
||||
case models.MSTEAMS: |
||||
payloader, err = models.GetMSTeamsPayload(p, event, w.Meta) |
||||
if err != nil { |
||||
return fmt.Errorf("GetMSTeamsPayload: %v", err) |
||||
} |
||||
default: |
||||
p.SetSecret(w.Secret) |
||||
payloader = p |
||||
} |
||||
|
||||
var signature string |
||||
if len(w.Secret) > 0 { |
||||
data, err := payloader.JSONPayload() |
||||
if err != nil { |
||||
log.Error("prepareWebhooks.JSONPayload: %v", err) |
||||
} |
||||
sig := hmac.New(sha256.New, []byte(w.Secret)) |
||||
_, err = sig.Write(data) |
||||
if err != nil { |
||||
log.Error("prepareWebhooks.sigWrite: %v", err) |
||||
} |
||||
signature = hex.EncodeToString(sig.Sum(nil)) |
||||
} |
||||
|
||||
if err = models.CreateHookTask(&models.HookTask{ |
||||
RepoID: repo.ID, |
||||
HookID: w.ID, |
||||
Type: w.HookTaskType, |
||||
URL: w.URL, |
||||
Signature: signature, |
||||
Payloader: payloader, |
||||
HTTPMethod: w.HTTPMethod, |
||||
ContentType: w.ContentType, |
||||
EventType: event, |
||||
IsSSL: w.IsSSL, |
||||
}); err != nil { |
||||
return fmt.Errorf("CreateHookTask: %v", err) |
||||
} |
||||
return nil |
||||
} |
||||
|
||||
// PrepareWebhooks adds new webhooks to task queue for given payload.
|
||||
func PrepareWebhooks(repo *models.Repository, event models.HookEventType, p api.Payloader) error { |
||||
if err := prepareWebhooks(repo, event, p); err != nil { |
||||
return err |
||||
} |
||||
|
||||
go hookQueue.Add(repo.ID) |
||||
return nil |
||||
} |
||||
|
||||
func prepareWebhooks(repo *models.Repository, event models.HookEventType, p api.Payloader) error { |
||||
ws, err := models.GetActiveWebhooksByRepoID(repo.ID) |
||||
if err != nil { |
||||
return fmt.Errorf("GetActiveWebhooksByRepoID: %v", err) |
||||
} |
||||
|
||||
// check if repo belongs to org and append additional webhooks
|
||||
if repo.MustOwner().IsOrganization() { |
||||
// get hooks for org
|
||||
orgHooks, err := models.GetActiveWebhooksByOrgID(repo.OwnerID) |
||||
if err != nil { |
||||
return fmt.Errorf("GetActiveWebhooksByOrgID: %v", err) |
||||
} |
||||
ws = append(ws, orgHooks...) |
||||
} |
||||
|
||||
if len(ws) == 0 { |
||||
return nil |
||||
} |
||||
|
||||
for _, w := range ws { |
||||
if err = prepareWebhook(w, repo, event, p); err != nil { |
||||
return err |
||||
} |
||||
} |
||||
return nil |
||||
} |
@ -0,0 +1,67 @@
|
||||
// Copyright 2019 The Gitea Authors. All rights reserved.
|
||||
// Use of this source code is governed by a MIT-style
|
||||
// license that can be found in the LICENSE file.
|
||||
|
||||
package webhook |
||||
|
||||
import ( |
||||
"testing" |
||||
|
||||
"code.gitea.io/gitea/models" |
||||
api "code.gitea.io/gitea/modules/structs" |
||||
"github.com/stretchr/testify/assert" |
||||
) |
||||
|
||||
func TestPrepareWebhooks(t *testing.T) { |
||||
assert.NoError(t, models.PrepareTestDatabase()) |
||||
|
||||
repo := models.AssertExistsAndLoadBean(t, &models.Repository{ID: 1}).(*models.Repository) |
||||
hookTasks := []*models.HookTask{ |
||||
{RepoID: repo.ID, HookID: 1, EventType: models.HookEventPush}, |
||||
} |
||||
for _, hookTask := range hookTasks { |
||||
models.AssertNotExistsBean(t, hookTask) |
||||
} |
||||
assert.NoError(t, PrepareWebhooks(repo, models.HookEventPush, &api.PushPayload{})) |
||||
for _, hookTask := range hookTasks { |
||||
models.AssertExistsAndLoadBean(t, hookTask) |
||||
} |
||||
} |
||||
|
||||
func TestPrepareWebhooksBranchFilterMatch(t *testing.T) { |
||||
assert.NoError(t, models.PrepareTestDatabase()) |
||||
|
||||
repo := models.AssertExistsAndLoadBean(t, &models.Repository{ID: 2}).(*models.Repository) |
||||
hookTasks := []*models.HookTask{ |
||||
{RepoID: repo.ID, HookID: 4, EventType: models.HookEventPush}, |
||||
} |
||||
for _, hookTask := range hookTasks { |
||||
models.AssertNotExistsBean(t, hookTask) |
||||
} |
||||
// this test also ensures that * doesn't handle / in any special way (like shell would)
|
||||
assert.NoError(t, PrepareWebhooks(repo, models.HookEventPush, &api.PushPayload{Ref: "refs/heads/feature/7791"})) |
||||
for _, hookTask := range hookTasks { |
||||
models.AssertExistsAndLoadBean(t, hookTask) |
||||
} |
||||
} |
||||
|
||||
func TestPrepareWebhooksBranchFilterNoMatch(t *testing.T) { |
||||
assert.NoError(t, models.PrepareTestDatabase()) |
||||
|
||||
repo := models.AssertExistsAndLoadBean(t, &models.Repository{ID: 2}).(*models.Repository) |
||||
hookTasks := []*models.HookTask{ |
||||
{RepoID: repo.ID, HookID: 4, EventType: models.HookEventPush}, |
||||
} |
||||
for _, hookTask := range hookTasks { |
||||
models.AssertNotExistsBean(t, hookTask) |
||||
} |
||||
assert.NoError(t, PrepareWebhooks(repo, models.HookEventPush, &api.PushPayload{Ref: "refs/heads/fix_weird_bug"})) |
||||
|
||||
for _, hookTask := range hookTasks { |
||||
models.AssertNotExistsBean(t, hookTask) |
||||
} |
||||
} |
||||
|
||||
// TODO TestHookTask_deliver
|
||||
|
||||
// TODO TestDeliverHooks
|
@ -0,0 +1,216 @@
|
||||
// Copyright 2019 The Gitea Authors. All rights reserved.
|
||||
// Use of this source code is governed by a MIT-style
|
||||
// license that can be found in the LICENSE file.
|
||||
|
||||
package repo |
||||
|
||||
import ( |
||||
"code.gitea.io/gitea/models" |
||||
"code.gitea.io/gitea/modules/context" |
||||
api "code.gitea.io/gitea/modules/structs" |
||||
) |
||||
|
||||
// AddIssueSubscription Subscribe user to issue
|
||||
func AddIssueSubscription(ctx *context.APIContext) { |
||||
// swagger:operation PUT /repos/{owner}/{repo}/issues/{index}/subscriptions/{user} issue issueAddSubscription
|
||||
// ---
|
||||
// summary: Subscribe user to issue
|
||||
// consumes:
|
||||
// - application/json
|
||||
// produces:
|
||||
// - application/json
|
||||
// parameters:
|
||||
// - name: owner
|
||||
// in: path
|
||||
// description: owner of the repo
|
||||
// type: string
|
||||
// required: true
|
||||
// - name: repo
|
||||
// in: path
|
||||
// description: name of the repo
|
||||
// type: string
|
||||
// required: true
|
||||
// - name: index
|
||||
// in: path
|
||||
// description: index of the issue
|
||||
// type: integer
|
||||
// format: int64
|
||||
// required: true
|
||||
// - name: user
|
||||
// in: path
|
||||
// description: user to subscribe
|
||||
// type: string
|
||||
// required: true
|
||||
// responses:
|
||||
// "201":
|
||||
// "$ref": "#/responses/empty"
|
||||
// "304":
|
||||
// description: User can only subscribe itself if he is no admin
|
||||
// "404":
|
||||
// description: Issue not found
|
||||
issue, err := models.GetIssueByIndex(ctx.Repo.Repository.ID, ctx.ParamsInt64(":index")) |
||||
if err != nil { |
||||
if models.IsErrIssueNotExist(err) { |
||||
ctx.NotFound() |
||||
} else { |
||||
ctx.Error(500, "GetIssueByIndex", err) |
||||
} |
||||
|
||||
return |
||||
} |
||||
|
||||
user, err := models.GetUserByName(ctx.Params(":user")) |
||||
if err != nil { |
||||
if models.IsErrUserNotExist(err) { |
||||
ctx.NotFound() |
||||
} else { |
||||
ctx.Error(500, "GetUserByName", err) |
||||
} |
||||
|
||||
return |
||||
} |
||||
|
||||
//only admin and user for itself can change subscription
|
||||
if user.ID != ctx.User.ID && !ctx.User.IsAdmin { |
||||
ctx.Error(403, "User", nil) |
||||
return |
||||
} |
||||
|
||||
if err := models.CreateOrUpdateIssueWatch(user.ID, issue.ID, true); err != nil { |
||||
ctx.Error(500, "CreateOrUpdateIssueWatch", err) |
||||
return |
||||
} |
||||
|
||||
ctx.Status(201) |
||||
} |
||||
|
||||
// DelIssueSubscription Unsubscribe user from issue
|
||||
func DelIssueSubscription(ctx *context.APIContext) { |
||||
// swagger:operation DELETE /repos/{owner}/{repo}/issues/{index}/subscriptions/{user} issue issueDeleteSubscription
|
||||
// ---
|
||||
// summary: Unsubscribe user from issue
|
||||
// consumes:
|
||||
// - application/json
|
||||
// produces:
|
||||
// - application/json
|
||||
// parameters:
|
||||
// - name: owner
|
||||
// in: path
|
||||
// description: owner of the repo
|
||||
// type: string
|
||||
// required: true
|
||||
// - name: repo
|
||||
// in: path
|
||||
// description: name of the repo
|
||||
// type: string
|
||||
// required: true
|
||||
// - name: index
|
||||
// in: path
|
||||
// description: index of the issue
|
||||
// type: integer
|
||||
// format: int64
|
||||
// required: true
|
||||
// - name: user
|
||||
// in: path
|
||||
// description: user witch unsubscribe
|
||||
// type: string
|
||||
// required: true
|
||||
// responses:
|
||||
// "201":
|
||||
// "$ref": "#/responses/empty"
|
||||
// "304":
|
||||
// description: User can only subscribe itself if he is no admin
|
||||
// "404":
|
||||
// description: Issue not found
|
||||
issue, err := models.GetIssueByIndex(ctx.Repo.Repository.ID, ctx.ParamsInt64(":index")) |
||||
if err != nil { |
||||
if models.IsErrIssueNotExist(err) { |
||||
ctx.NotFound() |
||||
} else { |
||||
ctx.Error(500, "GetIssueByIndex", err) |
||||
} |
||||
|
||||
return |
||||
} |
||||
|
||||
user, err := models.GetUserByName(ctx.Params(":user")) |
||||
if err != nil { |
||||
if models.IsErrUserNotExist(err) { |
||||
ctx.NotFound() |
||||
} else { |
||||
ctx.Error(500, "GetUserByName", err) |
||||
} |
||||
|
||||
return |
||||
} |
||||
|
||||
//only admin and user for itself can change subscription
|
||||
if user.ID != ctx.User.ID && !ctx.User.IsAdmin { |
||||
ctx.Error(403, "User", nil) |
||||
return |
||||
} |
||||
|
||||
if err := models.CreateOrUpdateIssueWatch(user.ID, issue.ID, false); err != nil { |
||||
ctx.Error(500, "CreateOrUpdateIssueWatch", err) |
||||
return |
||||
} |
||||
|
||||
ctx.Status(201) |
||||
} |
||||
|
||||
// GetIssueSubscribers return subscribers of an issue
|
||||
func GetIssueSubscribers(ctx *context.APIContext, form api.User) { |
||||
// swagger:operation GET /repos/{owner}/{repo}/issues/{index}/subscriptions issue issueSubscriptions
|
||||
// ---
|
||||
// summary: Get users who subscribed on an issue.
|
||||
// consumes:
|
||||
// - application/json
|
||||
// produces:
|
||||
// - application/json
|
||||
// parameters:
|
||||
// - name: owner
|
||||
// in: path
|
||||
// description: owner of the repo
|
||||
// type: string
|
||||
// required: true
|
||||
// - name: repo
|
||||
// in: path
|
||||
// description: name of the repo
|
||||
// type: string
|
||||
// required: true
|
||||
// - name: index
|
||||
// in: path
|
||||
// description: index of the issue
|
||||
// type: integer
|
||||
// format: int64
|
||||
// required: true
|
||||
// responses:
|
||||
// "201":
|
||||
// "$ref": "#/responses/empty"
|
||||
// "404":
|
||||
// description: Issue not found
|
||||
issue, err := models.GetIssueByIndex(ctx.Repo.Repository.ID, ctx.ParamsInt64(":index")) |
||||
if err != nil { |
||||
if models.IsErrIssueNotExist(err) { |
||||
ctx.NotFound() |
||||
} else { |
||||
ctx.Error(500, "GetIssueByIndex", err) |
||||
} |
||||
|
||||
return |
||||
} |
||||
|
||||
iwl, err := models.GetIssueWatchers(issue.ID) |
||||
if err != nil { |
||||
ctx.Error(500, "GetIssueWatchers", err) |
||||
return |
||||
} |
||||
|
||||
users, err := iwl.LoadWatchUsers() |
||||
if err != nil { |
||||
ctx.Error(500, "LoadWatchUsers", err) |
||||
return |
||||
} |
||||
|
||||
ctx.JSON(200, users.APIFormat()) |
||||
} |
@ -0,0 +1,21 @@
|
||||
// Copyright 2019 The Gitea Authors. All rights reserved.
|
||||
// Use of this source code is governed by a MIT-style
|
||||
// license that can be found in the LICENSE file.
|
||||
|
||||
package issue |
||||
|
||||
import ( |
||||
"code.gitea.io/gitea/models" |
||||
"code.gitea.io/gitea/modules/notification" |
||||
) |
||||
|
||||
// ChangeMilestoneAssign changes assignment of milestone for issue.
|
||||
func ChangeMilestoneAssign(issue *models.Issue, doer *models.User, oldMilestoneID int64) (err error) { |
||||
if err = models.ChangeMilestoneAssign(issue, doer, oldMilestoneID); err != nil { |
||||
return |
||||
} |
||||
|
||||
notification.NotifyIssueChangeMilestone(doer, issue, oldMilestoneID) |
||||
|
||||
return nil |
||||
} |
@ -1,59 +0,0 @@
|
||||
// Copyright 2019 The Gitea Authors. All rights reserved.
|
||||
// Use of this source code is governed by a MIT-style
|
||||
// license that can be found in the LICENSE file.
|
||||
|
||||
package models |
||||
|
||||
import ( |
||||
"code.gitea.io/gitea/models" |
||||
"code.gitea.io/gitea/modules/log" |
||||
api "code.gitea.io/gitea/modules/structs" |
||||
) |
||||
|
||||
// ChangeMilestoneAssign changes assignment of milestone for issue.
|
||||
func ChangeMilestoneAssign(issue *models.Issue, doer *models.User, oldMilestoneID int64) (err error) { |
||||
if err = models.ChangeMilestoneAssign(issue, doer, oldMilestoneID); err != nil { |
||||
return |
||||
} |
||||
|
||||
var hookAction api.HookIssueAction |
||||
if issue.MilestoneID > 0 { |
||||
hookAction = api.HookIssueMilestoned |
||||
} else { |
||||
hookAction = api.HookIssueDemilestoned |
||||
} |
||||
|
||||
if err = issue.LoadAttributes(); err != nil { |
||||
return err |
||||
} |
||||
|
||||
mode, _ := models.AccessLevel(doer, issue.Repo) |
||||
if issue.IsPull { |
||||
err = issue.PullRequest.LoadIssue() |
||||
if err != nil { |
||||
log.Error("LoadIssue: %v", err) |
||||
return |
||||
} |
||||
err = models.PrepareWebhooks(issue.Repo, models.HookEventPullRequest, &api.PullRequestPayload{ |
||||
Action: hookAction, |
||||
Index: issue.Index, |
||||
PullRequest: issue.PullRequest.APIFormat(), |
||||
Repository: issue.Repo.APIFormat(mode), |
||||
Sender: doer.APIFormat(), |
||||
}) |
||||
} else { |
||||
err = models.PrepareWebhooks(issue.Repo, models.HookEventIssues, &api.IssuePayload{ |
||||
Action: hookAction, |
||||
Index: issue.Index, |
||||
Issue: issue.APIFormat(), |
||||
Repository: issue.Repo.APIFormat(mode), |
||||
Sender: doer.APIFormat(), |
||||
}) |
||||
} |
||||
if err != nil { |
||||
log.Error("PrepareWebhooks [is_pull: %v]: %v", issue.IsPull, err) |
||||
} else { |
||||
go models.HookQueue.Add(issue.RepoID) |
||||
} |
||||
return nil |
||||
} |
@ -0,0 +1,87 @@
|
||||
<div class="ui attached table segment"> |
||||
<table class="ui very basic striped fixed table single line" id="commits-table"> |
||||
<thead> |
||||
<tr> |
||||
<th class="four wide">{{.i18n.Tr "repo.commits.author"}}</th> |
||||
<th class="two wide sha">SHA1</th> |
||||
<th class="seven wide message">{{.i18n.Tr "repo.commits.message"}}</th> |
||||
<th class="three wide right aligned">{{.i18n.Tr "repo.commits.date"}}</th> |
||||
</tr> |
||||
</thead> |
||||
<tbody class="commit-list"> |
||||
{{ $r:= List .Commits}} |
||||
{{range $r}} |
||||
<tr> |
||||
<td class="author"> |
||||
{{$userName := .Author.Name}} |
||||
{{if .User}} |
||||
{{if .User.FullName}} |
||||
{{$userName = .User.FullName}} |
||||
{{end}} |
||||
<img class="ui avatar image" src="{{.User.RelAvatarLink}}" alt=""/> <a href="{{AppSubUrl}}/{{.User.Name}}">{{$userName}}</a> |
||||
{{else}} |
||||
<img class="ui avatar image" src="{{AvatarLink .Author.Email}}" alt=""/> {{$userName}} |
||||
{{end}} |
||||
</td> |
||||
<td class="sha"> |
||||
{{$class := "ui sha label"}} |
||||
{{if .Signature}} |
||||
{{$class = (printf "%s%s" $class " isSigned")}} |
||||
{{if .Verification.Verified}} |
||||
{{$class = (printf "%s%s" $class " isVerified")}} |
||||
{{else if .Verification.Warning}} |
||||
{{$class = (printf "%s%s" $class " isWarning")}} |
||||
{{end}} |
||||
{{end}} |
||||
{{if $.Reponame}} |
||||
<a href="{{AppSubUrl}}/{{$.Username}}/{{$.Reponame}}/commit/{{.ID}}" rel="nofollow" class="{{$class}}"> |
||||
{{else}} |
||||
<span class="{{$class}}"> |
||||
{{end}} |
||||
{{ShortSha .ID.String}} |
||||
{{if .Signature}} |
||||
<div class="ui detail icon button"> |
||||
{{if .Verification.Verified}} |
||||
<i title="{{.Verification.Reason}}" class="lock green icon"></i> |
||||
{{if ne .Verification.SigningUser.ID 0}} |
||||
<i title="{{.Verification.Reason}}" class="lock green icon"></i> |
||||
{{else}} |
||||
<i title="{{.Verification.Reason}}" class="icons"> |
||||
<i class="green lock icon"></i> |
||||
<i class="tiny inverted cog icon centerlock"></i> |
||||
</i> |
||||
{{end}} |
||||
{{else if .Verification.Warning}} |
||||
<i title="{{$.i18n.Tr .Verification.Reason}}" class="red unlock icon"></i> |
||||
{{else}} |
||||
<i title="{{$.i18n.Tr .Verification.Reason}}" class="unlock icon"></i> |
||||
{{end}} |
||||
</div> |
||||
{{end}} |
||||
{{if $.Reponame}} |
||||
</a> |
||||
{{else}} |
||||
</span> |
||||
{{end}} |
||||
</td> |
||||
<td class="message"> |
||||
<span class="message-wrapper"> |
||||
{{ $commitLink:= printf "%s/%s/%s/commit/%s" AppSubUrl $.Username $.Reponame .ID }} |
||||
<span class="commit-summary has-emoji{{if gt .ParentCount 1}} grey text{{end}}" title="{{.Summary}}">{{RenderCommitMessageLinkSubject .Message $.RepoLink $commitLink $.Repository.ComposeMetas}}</span> |
||||
</span> |
||||
{{if IsMultilineCommitMessage .Message}} |
||||
<button class="basic compact mini ui icon button commit-button"><i class="ellipsis horizontal icon"></i></button> |
||||
{{end}} |
||||
{{if eq (CommitType .) "SignCommitWithStatuses"}} |
||||
{{template "repo/commit_status" .Status}} |
||||
{{end}} |
||||
{{if IsMultilineCommitMessage .Message}} |
||||
<pre class="commit-body" style="display: none;">{{RenderCommitBody .Message $.RepoLink $.Repository.ComposeMetas}}</pre> |
||||
{{end}} |
||||
</td> |
||||
<td class="grey text right aligned">{{TimeSince .Author.When $.Lang}}</td> |
||||
</tr> |
||||
{{end}} |
||||
</tbody> |
||||
</table> |
||||
</div> |
Loading…
Reference in new issue