Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
34 changes: 34 additions & 0 deletions .gitattributes
Original file line number Diff line number Diff line change
@@ -0,0 +1,34 @@
# Ensure all text files use LF (Linux) line endings
* text=auto eol=lf

# Treat shell scripts as text and enforce LF
*.sh text eol=lf

# Treat Go files as text and enforce LF
*.go text eol=lf

# Treat Python files as text and enforce LF
*.py text eol=lf

# Treat JavaScript files as text and enforce LF
*.js text eol=lf

# Treat Markdown files as text and enforce LF
*.md text eol=lf

# Treat configuration files as text and enforce LF
*.yml text eol=lf
*.yaml text eol=lf
*.json text eol=lf

# Prevent CRLF normalization for binary files
*.png binary
*.jpg binary
*.jpeg binary
*.gif binary
*.pdf binary
*.zip binary
*.tar binary
*.gz binary
*.bz2 binary
*.xz binary
1 change: 1 addition & 0 deletions .licenserc.yaml
Original file line number Diff line number Diff line change
Expand Up @@ -35,6 +35,7 @@ header:
- "**/*.svg"
- "**/*.png"
- ".editorconfig"
- "**/.gitattributes"
- "**/.gitignore"
- "**/.helmignore"
- "**/.dockerignore"
Expand Down
129 changes: 129 additions & 0 deletions backend/plugins/webhook/api/deployments.go
Original file line number Diff line number Diff line change
Expand Up @@ -26,11 +26,14 @@ import (

"github.com/apache/incubator-devlake/core/dal"
"github.com/apache/incubator-devlake/core/log"
"github.com/apache/incubator-devlake/server/services"
"gorm.io/gorm"

"github.com/apache/incubator-devlake/helpers/dbhelper"
"github.com/go-playground/validator/v10"

"github.com/apache/incubator-devlake/core/errors"
coremodels "github.com/apache/incubator-devlake/core/models"
"github.com/apache/incubator-devlake/core/models/domainlayer"
"github.com/apache/incubator-devlake/core/models/domainlayer/devops"
"github.com/apache/incubator-devlake/core/plugin"
Expand Down Expand Up @@ -109,6 +112,96 @@ func PostDeploymentsByName(input *plugin.ApiResourceInput) (*plugin.ApiResourceO
return postDeployments(input, connection, err)
}

// PostDeploymentsByProjectName
// @Summary create deployment by project name
// @Description Create deployment pipeline by project name.<br/>
// @Description example1: {"repo_url":"devlake","commit_sha":"015e3d3b480e417aede5a1293bd61de9b0fd051d","start_time":"2020-01-01T12:00:00+00:00","end_time":"2020-01-01T12:59:59+00:00","environment":"PRODUCTION"}<br/>
// @Description So we suggest request before task after deployment pipeline finish.
// @Description Both cicd_pipeline and cicd_task will be created
// @Tags plugins/webhook
// @Param body body WebhookDeploymentReq true "json body"
// @Success 200
// @Failure 400 {string} errcode.Error "Bad Request"
// @Failure 403 {string} errcode.Error "Forbidden"
// @Failure 500 {string} errcode.Error "Internal Error"
// @Router /projects/:projectName/deployments [POST]
func PostDeploymentsByProjectName(input *plugin.ApiResourceInput) (*plugin.ApiResourceOutput, errors.Error) {
// find or create the connection for this project
connection := &models.WebhookConnection{}
projectName := input.Params["projectName"]
webhookName := fmt.Sprintf("%s_deployments", projectName)
err := findByProjectName(connection, input.Params, pluginName)
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

It would be better to pass the webhookName to the findByProjectName function instead of redefining.

if err != nil {
// if not found, we will attempt to create a new connection
// Use direct comparison against the package sentinel; only treat other errors as fatal.
if !errors.Is(err, gorm.ErrRecordNotFound) {
logger.Error(err, "failed to find webhook connection for project", "projectName", input.Params["projectName"])
return nil, err
}

// create the connection
logger.Debug("creating webhook connection for project %s", input.Params["projectName"])
connection.Name = webhookName

// find the project and blueprint with which we will associate this connection
projectOutput, err := services.GetProject(projectName)
if err != nil {
logger.Error(err, "failed to find project for webhook connection", "projectName", projectName)
return nil, err
}

if projectOutput == nil {
logger.Error(err, "project not found for webhook connection", "projectName", projectName)
return nil, errors.NotFound.New("project not found: " + projectName)
}

if projectOutput.Blueprint == nil {
logger.Error(err, "unable to create webhook as the project has no blueprint", "projectName", projectName)
return nil, errors.BadInput.New("project has no blueprint: " + projectName)
}

input = &plugin.ApiResourceInput{
Params: map[string]string{
"plugin": "webhook",
},
Body: map[string]interface{}{
"name": webhookName,
},
}

err = connectionHelper.Create(connection, input)
if err != nil {
logger.Error(err, "failed to create webhook connection for project", "projectName", input.Params["projectName"])
return nil, err
}

// get the blueprint
blueprintId := projectOutput.Blueprint.ID
blueprint, err := services.GetBlueprint(blueprintId, true)

if err != nil {
logger.Error(err, "failed to find blueprint for webhook connection", "blueprintId", blueprintId)
return nil, err
}

// we need to associate this connection with the blueprint
blueprintConnection := &coremodels.BlueprintConnection{
BlueprintId: blueprint.ID,
PluginName: pluginName,
ConnectionId: connection.ID,
}

logger.Info("adding blueprint connection for blueprint %d and connection %d", blueprint.ID, connection.ID)
err = basicRes.GetDal().Create(blueprintConnection)
if err != nil {
logger.Error(err, "failed to create blueprint connection for project", "projectName", input.Params["projectName"])
return nil, err
}
}

return postDeployments(input, connection, err)
}

func postDeployments(input *plugin.ApiResourceInput, connection *models.WebhookConnection, err errors.Error) (*plugin.ApiResourceOutput, errors.Error) {
if err != nil {
return nil, err
Expand Down Expand Up @@ -251,3 +344,39 @@ func GenerateDeploymentCommitId(connectionId uint64, deploymentId string, repoUr
urlHash16 := fmt.Sprintf("%x", md5.Sum([]byte(repoUrl)))[:16]
return fmt.Sprintf("%s:%d:%s:%s:%s", "webhook", connectionId, deploymentId, urlHash16, commitSha)
}

// findByProjectName finds the connection by project name and plugin name
func findByProjectName(connection interface{}, params map[string]string, pluginName string) errors.Error {
projectName := params["projectName"]
webhookName := fmt.Sprintf("%s_deployments", projectName)
if projectName == "" {
return errors.BadInput.New("missing projectName")
}
if len(projectName) > 100 {
return errors.BadInput.New("invalid projectName")
}
if pluginName == "" {
return errors.BadInput.New("missing pluginName")
}
// We need to join three tables: _tool_webhook_connections, _devlake_blueprint_connections, and _devlake_blueprints
// to find the connection associated with the given project name and plugin name.
// The SQL query would look something like this:
// SELECT wc.*
// FROM _tool_webhook_connections AS wc
// JOIN _devlake_blueprint_connections AS bc ON wc.id = bc.connection_id AND bc.plugin_name = ?
// JOIN _devlake_blueprints AS bp ON bc.blueprint_id = bp.id
// WHERE bp.project_name = ? and _tool_webhook_connections.name = ?
// LIMIT 1;

basicRes.GetLogger().Debug("finding project webhook connection for project %s and plugin %s", projectName, pluginName)
// Using DAL to construct the query
clauses := []dal.Clause{dal.From(connection)}
clauses = append(clauses,
dal.Join("left join _devlake_blueprint_connections bc ON _tool_webhook_connections.id = bc.connection_id and bc.plugin_name = ?", pluginName),
dal.Join("left join _devlake_blueprints bp ON bc.blueprint_id = bp.id"),
dal.Where("bp.project_name = ? and _tool_webhook_connections.name = ?", projectName, webhookName),
)

dal := basicRes.GetDal()
return dal.First(connection, clauses...)
}
3 changes: 3 additions & 0 deletions backend/plugins/webhook/impl/impl.go
Original file line number Diff line number Diff line change
Expand Up @@ -128,5 +128,8 @@ func (p Webhook) ApiResources() map[string]map[string]plugin.ApiResourceHandler
"connections/by-name/:connectionName/issue/:issueKey/close": {
"POST": api.CloseIssueByName,
},
"projects/:projectName/deployments": {
"POST": api.PostDeploymentsByProjectName,
},
}
}
10 changes: 10 additions & 0 deletions backend/server/api/router.go
Original file line number Diff line number Diff line change
Expand Up @@ -93,6 +93,16 @@ func RegisterRouter(r *gin.Engine, basicRes context.BasicRes) {
}
// mount all api resources for all plugins
for pluginName, apiResources := range resources {
if pluginName == "webhook" {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This is not the way to handle route conflict.
What was the conflict exactly?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Not exactly a conflict, but more a duplicate route not wanted. The way routing is done, this route, because how it is defined on the plugin, would have resulted in the route /plugins/webhook/projects/:projectName/deployments instead of only /projects/:projectName/deployments. With this we now only have the latter as we remove the registration of the route on the webhook plugin route. Best way I could think of achieving this, unless the code is moved elsewhere and not in the plugin itself.

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

What is wrong with /plugins/webhook/projects/:projectName/deployments?
The API is offered by the webhook plugin, it should be prefixed by /plugins/webhook by convention.

// we need to register the project webhook endpoint first to avoid route conflict
const endpointName = "projects/:projectName/deployments"
if methodMap, ok := apiResources[endpointName]; ok {
if handler, ok := methodMap["POST"]; ok {
r.Handle("POST", fmt.Sprintf("/%s", endpointName), handlePluginCall(basicRes, pluginName, handler))
delete(apiResources, endpointName)
}
}
}
registerPluginEndpoints(r, basicRes, pluginName, apiResources)
}
}
Expand Down
2 changes: 1 addition & 1 deletion config-ui/src/features/connections/utils.ts
Original file line number Diff line number Diff line change
Expand Up @@ -51,6 +51,6 @@ export const transformWebhook = (connection: IWebhookAPI): IWebhook => {
closeIssuesEndpoint: connection.closeIssuesEndpoint,
postPipelineDeployTaskEndpoint: connection.postPipelineDeployTaskEndpoint,
postPullRequestsEndpoint: connection.postPullRequestsEndpoint,
apiKeyId: connection.apiKey.id,
apiKeyId: connection.apiKey?.id,
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

apiKey is optional for a webhook, so we won't always have an apiKey id.

};
};
Loading