Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feature: supports agent cmd api using agent.proto #8513

Merged
merged 1 commit into from
Nov 20, 2024
Merged
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
317 changes: 317 additions & 0 deletions server/controller/http/router/agent/agent_cmd.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,317 @@
/*
* Copyright (c) 2024 Yunshan Networks
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/

package agent

import (
"bytes"
"errors"
"fmt"
"io"
"net/http"
"net/http/httputil"
"net/url"
"strconv"

grpcapi "github.com/deepflowio/deepflow/message/agent"
"github.com/deepflowio/deepflow/server/controller/common"
"github.com/deepflowio/deepflow/server/controller/config"
"github.com/deepflowio/deepflow/server/controller/db/mysql"
mysqlmodel "github.com/deepflowio/deepflow/server/controller/db/mysql/model"
httpcommon "github.com/deepflowio/deepflow/server/controller/http/common"
. "github.com/deepflowio/deepflow/server/controller/http/router/common"
service "github.com/deepflowio/deepflow/server/controller/http/service/agent"
"github.com/gin-gonic/gin"
"github.com/gin-gonic/gin/binding"
)

const (
ForwardControllerTimes = "ForwardControllerTimes"
DefaultForwardControllerTimes = 3

AgentCommandTypeProbe = AgentCommandType("probe")
AgentCommandTypeProfile = AgentCommandType("profile")
)

type AgentCommandType string

var (
agentCommandMap = map[AgentCommandType]map[string]struct{}{
AgentCommandTypeProbe: probeCommandMap,
AgentCommandTypeProfile: profileCommandMap,
}

profileCommandMap = map[string]struct{}{
"ps": struct{}{},
"java-dump-stack": struct{}{},
"java-dump-gc": struct{}{},
"java-dump-heap": struct{}{},
"ebpf-dump-stack": struct{}{},
}
probeCommandMap = map[string]struct{}{
"ping": struct{}{},
"tcping": struct{}{},
"curl": struct{}{},
"dig": struct{}{},
"traceroute": struct{}{},
}
)

type AgentCMD struct {
cfg *config.ControllerConfig
}

func NewAgentCMD(cfg *config.ControllerConfig) *AgentCMD {
return &AgentCMD{
cfg: cfg,
}
}

func (a *AgentCMD) RegisterTo(e *gin.Engine) {
agentRoutes := e.Group("/v1/agent/:id-or-name")

agentRoutes.GET("/cmd", forwardToServerConnectedByAgent(), a.getCMDAndNamespaceHandler())
agentRoutes.POST("/cmd/run", forwardToServerConnectedByAgent(), a.cmdRunHandler())
}

func forwardToServerConnectedByAgent() gin.HandlerFunc {
return func(c *gin.Context) {
orgID, _ := c.Get(common.HEADER_KEY_X_ORG_ID)
db, err := mysql.GetDB(orgID.(int))
if err != nil {
log.Error(err, db.LogPrefixORGID)
BadRequestResponse(c, httpcommon.SERVER_ERROR, err.Error())
c.Abort()
return
}
agentID, err := getAgentID(c, db)
if err != nil {
log.Error(err, db.LogPrefixORGID)
BadRequestResponse(c, httpcommon.INVALID_PARAMETERS, err.Error())
c.Abort()
return
}
var agent *mysqlmodel.VTap
if err = db.Where("id = ?", agentID).First(&agent).Error; err != nil {
log.Error(err, db.LogPrefixORGID)
BadRequestResponse(c, httpcommon.SERVER_ERROR, err.Error())
c.Abort()
return
}
key := agent.CtrlIP + "-" + agent.CtrlMac
// handle forward times
var forwardTimes int
timesStr := c.Request.Header.Get(ForwardControllerTimes)
if len(timesStr) > 0 {
v, err := strconv.Atoi(timesStr)
if err != nil {
log.Error(err, db.LogPrefixORGID)
BadRequestResponse(c, httpcommon.SERVER_ERROR, err.Error())
return
}
forwardTimes = v
} else {
log.Infof("agent(key: %s), node ip(%s) init %s to 0", key, common.NodeIP, ForwardControllerTimes, db.LogPrefixORGID)
c.Request.Header.Set(ForwardControllerTimes, "0")
}
log.Infof("agent(key: %s), node ip(%s) forward times: %d", key, common.NodeIP, forwardTimes, db.LogPrefixORGID)
if forwardTimes > DefaultForwardControllerTimes {
err := fmt.Errorf("get agent(name: %s, key: %s) commands forward times > %d", agent.Name, key, DefaultForwardControllerTimes)
log.Error(err, db.LogPrefixORGID)
BadRequestResponse(c, httpcommon.SERVER_ERROR, err.Error())
c.Abort()
return
}

log.Infof("agent(key: %s), node ip(%s), agent cur controller ip(%s), controller ip(%s)",
key, common.NodeIP, agent.CurControllerIP, agent.ControllerIP)
// get reverse proxy host
newHost := common.NodeIP
if common.NodeIP == agent.CurControllerIP {
if manager := service.GetAgentCMDManager(key); manager != nil {
log.Infof("agent(key: %s) command context next, node ip(%s)", key)
c.Next()
return
} else {
newHost = agent.ControllerIP
c.Request.Header.Set(ForwardControllerTimes, fmt.Sprintf("%d", forwardTimes+1))
}
} else if common.NodeIP == agent.ControllerIP {
if manager := service.GetAgentCMDManager(key); manager != nil {
log.Infof("agent(key: %s) command context next, node ip(%s)", key)
c.Next()
return
} else {
newHost = agent.CurControllerIP
c.Request.Header.Set(ForwardControllerTimes, fmt.Sprintf("%d", forwardTimes+1))
}
} else {
newHost = agent.ControllerIP
c.Request.Header.Set(ForwardControllerTimes, fmt.Sprintf("%d", forwardTimes+1))
}

reverseProxy := fmt.Sprintf("http://%s:%d", newHost, common.GConfig.HTTPNodePort)
log.Infof("agnet(key: %s), node ip(%s), reverse proxy(%s), agent current controller ip(%s), controller ip(%s)",
key, common.NodeIP, reverseProxy, agent.CurControllerIP, agent.ControllerIP, db.LogPrefixORGID)

proxyURL, err := url.Parse(reverseProxy)
if err != nil {
log.Error(err, db.LogPrefixORGID)
BadRequestResponse(c, httpcommon.SERVER_ERROR, err.Error())
c.Abort()
return
}
proxy := httputil.NewSingleHostReverseProxy(proxyURL)
proxy.ServeHTTP(c.Writer, c.Request)
c.Abort()
}
}

func (a *AgentCMD) getCMDAndNamespaceHandler() gin.HandlerFunc {
return func(c *gin.Context) {
orgID, _ := c.Get(common.HEADER_KEY_X_ORG_ID)
db, err := mysql.GetDB(orgID.(int))
if err != nil {
JsonResponse(c, nil, err)
return
}
agentID, err := getAgentID(c, db)
if err != nil {
BadRequestResponse(c, httpcommon.INVALID_PARAMETERS, err.Error())
return
}
var agent *mysqlmodel.VTap
if err = db.Where("id = ?", agentID).First(&agent).Error; err != nil {
JsonResponse(c, nil, err)
return
}

data, err := service.GetCMDAndNamespace(a.cfg.AgentCommandTimeout, orgID.(int), agentID)
if err != nil {
JsonResponse(c, data, err)
return
}

userType, _ := c.Get(common.HEADER_KEY_X_USER_TYPE)
if !(userType == common.USER_TYPE_SUPER_ADMIN || userType == common.USER_TYPE_ADMIN) {
var cmds []*grpcapi.RemoteCommand
for _, item := range data.RemoteCommand {
_, ok1 := profileCommandMap[*item.Cmd]
_, ok2 := probeCommandMap[*item.Cmd]
if ok1 || ok2 {
cmds = append(cmds, item)
}
}
data.RemoteCommand = cmds
}

if filterCommandMap, ok := agentCommandMap[AgentCommandType(c.Query("type"))]; ok {
var cmds []*grpcapi.RemoteCommand
for _, item := range data.RemoteCommand {
if item.Cmd == nil {
continue
}
if _, ok := filterCommandMap[*item.Cmd]; ok {
cmds = append(cmds, item)
}
}
data.RemoteCommand = cmds
data.LinuxNamespace = nil

}
JsonResponse(c, data, nil)
}
}

func getAgentID(c *gin.Context, db *mysql.DB) (int, error) {
agentIDentStr := c.Param("id-or-name")
if agentIDentStr == "" {
return 0, errors.New("ident can not be empty")
}
agentID, err := strconv.Atoi(agentIDentStr)
if err != nil {
var agent mysqlmodel.VTap
if err := db.Where("name = ?", agentIDentStr).First(&agent).Error; err != nil {
return 0, fmt.Errorf("failed to get agent by name(%s), error: %s", err.Error())
}
return agent.ID, nil
}
return agentID, nil
}

func (a *AgentCMD) cmdRunHandler() gin.HandlerFunc {
return func(c *gin.Context) {
req := service.RemoteExecReq{}
if err := c.ShouldBindBodyWith(&req, binding.JSON); err != nil {
BadRequestResponse(c, httpcommon.INVALID_PARAMETERS, err.Error())
return
}
// Profile commands and probe commands are available to everyone.
userType, _ := c.Get(common.HEADER_KEY_X_USER_TYPE)
if !(userType == common.USER_TYPE_SUPER_ADMIN || userType == common.USER_TYPE_ADMIN) {
_, ok1 := profileCommandMap[req.CMD]
_, ok2 := probeCommandMap[req.CMD]
if !(ok1 || ok2) {
StatusForbiddenResponse(c, fmt.Sprintf("only super admin and admin can operate command(%s)", req.CMD))
return
}
}

agentReq := grpcapi.RemoteExecRequest{
ExecType: grpcapi.ExecutionType_RUN_COMMAND.Enum(),
// CommandId: req.CommandId, // deprecated
CommandIdent: req.CommandIdent,
LinuxNsPid: req.LinuxNsPid,
Params: req.Params,
}

orgID, _ := c.Get(common.HEADER_KEY_X_ORG_ID)
db, err := mysql.GetDB(orgID.(int))
if err != nil {
JsonResponse(c, nil, err)
return
}
agentID, err := getAgentID(c, db)
if err != nil {
BadRequestResponse(c, httpcommon.INVALID_PARAMETERS, err.Error())
return
}
content, err := service.RunAgentCMD(a.cfg.AgentCommandTimeout, orgID.(int), agentID, &agentReq, req.CMD)
if err != nil {
InternalErrorResponse(c, content, httpcommon.SERVER_ERROR, err.Error())
return
}

if req.OutputFormat.String() == grpcapi.OutputFormat_TEXT.String() {
JsonResponse(c, content, nil)
return
}
sendAsFile(c, req.OutputFilename, bytes.NewBuffer([]byte(content)))
}
}

func sendAsFile(c *gin.Context, fileName string, content *bytes.Buffer) {
c.Writer.Header().Set("Content-Type", "application/octet-stream")
if fileName != "" {
c.Writer.Header().Set("Content-Disposition", fmt.Sprintf("attachment; filename*=utf-8''%s", fileName))
}

if _, err := io.Copy(c.Writer, content); err != nil {
c.AbortWithStatus(http.StatusInternalServerError)
log.Error(err)
return
}
}
23 changes: 23 additions & 0 deletions server/controller/http/router/agent/logger.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,23 @@
/*
* Copyright (c) 2024 Yunshan Networks
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/

package agent

import (
"github.com/deepflowio/deepflow/server/libs/logger"
)

var log = logger.MustGetLogger("http.router.agent")
Original file line number Diff line number Diff line change
Expand Up @@ -14,7 +14,7 @@
* limitations under the License.
*/

package router
package vtap

import (
"bytes"
Expand All @@ -26,17 +26,17 @@ import (
"net/url"
"strconv"

"github.com/gin-gonic/gin"
"github.com/gin-gonic/gin/binding"

"github.com/deepflowio/deepflow/message/trident"
"github.com/deepflowio/deepflow/server/controller/common"
"github.com/deepflowio/deepflow/server/controller/config"
"github.com/deepflowio/deepflow/server/controller/db/mysql"
mysqlmodel "github.com/deepflowio/deepflow/server/controller/db/mysql/model"
httpcommon "github.com/deepflowio/deepflow/server/controller/http/common"
. "github.com/deepflowio/deepflow/server/controller/http/router/common"
"github.com/deepflowio/deepflow/server/controller/http/service"
"github.com/deepflowio/deepflow/server/controller/model"
"github.com/gin-gonic/gin"
"github.com/gin-gonic/gin/binding"
service "github.com/deepflowio/deepflow/server/controller/http/service/vtap"
)

const (
Expand Down Expand Up @@ -82,7 +82,7 @@ func NewAgentCMD(cfg *config.ControllerConfig) *AgentCMD {
}

func (a *AgentCMD) RegisterTo(e *gin.Engine) {
agentRoutes := e.Group("/v1/agent/:id-or-name")
agentRoutes := e.Group("/v1/vtap/:id-or-name")

agentRoutes.GET("/cmd", forwardToServerConnectedByAgent(), a.getCMDAndNamespaceHandler())
agentRoutes.POST("/cmd/run", forwardToServerConnectedByAgent(), a.cmdRunHandler())
Expand Down Expand Up @@ -255,7 +255,7 @@ func getAgentID(c *gin.Context, db *mysql.DB) (int, error) {

func (a *AgentCMD) cmdRunHandler() gin.HandlerFunc {
return func(c *gin.Context) {
req := model.RemoteExecReq{}
req := service.RemoteExecReq{}
if err := c.ShouldBindBodyWith(&req, binding.JSON); err != nil {
BadRequestResponse(c, httpcommon.INVALID_PARAMETERS, err.Error())
return
Expand Down
Loading
Loading