You are viewing a plain text version of this content. The canonical link for it is here.
Posted to notifications@apisix.apache.org by GitBox <gi...@apache.org> on 2021/10/11 10:23:25 UTC

[GitHub] [apisix-dashboard] nic-chen commented on a change in pull request #2099: feat: support proto API

nic-chen commented on a change in pull request #2099:
URL: https://github.com/apache/apisix-dashboard/pull/2099#discussion_r725981508



##########
File path: api/internal/handler/proto/proto.go
##########
@@ -0,0 +1,291 @@
+/*
+ * Licensed to the Apache Software Foundation (ASF) under one or more
+ * contributor license agreements.  See the NOTICE file distributed with
+ * this work for additional information regarding copyright ownership.
+ * The ASF licenses this file to You 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 proto
+
+import (
+	"context"
+	"encoding/json"
+	"errors"
+	"fmt"
+	"net/http"
+	"reflect"
+	"strings"
+
+	"github.com/gin-gonic/gin"
+	"github.com/shiningrush/droplet"
+	"github.com/shiningrush/droplet/data"
+	"github.com/shiningrush/droplet/wrapper"
+	wgin "github.com/shiningrush/droplet/wrapper/gin"
+
+	"github.com/apisix/manager-api/internal/core/entity"
+	"github.com/apisix/manager-api/internal/core/store"
+	"github.com/apisix/manager-api/internal/handler"
+	"github.com/apisix/manager-api/internal/utils"
+)
+
+type Handler struct {
+	routeStore        store.Interface
+	serviceStore      store.Interface
+	consumerStore     store.Interface
+	pluginConfigStore store.Interface
+	globalRuleStore   store.Interface
+	protoStore        store.Interface
+}
+
+func NewHandler() (handler.RouteRegister, error) {
+	return &Handler{
+		routeStore:        store.GetStore(store.HubKeyRoute),
+		serviceStore:      store.GetStore(store.HubKeyService),
+		consumerStore:     store.GetStore(store.HubKeyConsumer),
+		pluginConfigStore: store.GetStore(store.HubKeyPluginConfig),
+		globalRuleStore:   store.GetStore(store.HubKeyGlobalRule),
+		protoStore:        store.GetStore(store.HubKeyProto),
+	}, nil
+}
+
+func (h *Handler) ApplyRoute(r *gin.Engine) {
+	r.GET("/apisix/admin/proto/:id", wgin.Wraps(h.Get,
+		wrapper.InputType(reflect.TypeOf(GetInput{}))))
+	r.GET("/apisix/admin/proto", wgin.Wraps(h.List,
+		wrapper.InputType(reflect.TypeOf(ListInput{}))))
+	r.POST("/apisix/admin/proto", wgin.Wraps(h.Create,
+		wrapper.InputType(reflect.TypeOf(entity.Proto{}))))
+	r.PUT("/apisix/admin/proto", wgin.Wraps(h.Update,
+		wrapper.InputType(reflect.TypeOf(UpdateInput{}))))
+	r.PUT("/apisix/admin/proto/:id", wgin.Wraps(h.Update,
+		wrapper.InputType(reflect.TypeOf(UpdateInput{}))))
+	r.PATCH("/apisix/admin/proto/:id", wgin.Wraps(h.Patch,
+		wrapper.InputType(reflect.TypeOf(PatchInput{}))))
+	r.PATCH("/apisix/admin/proto/:id/*path", wgin.Wraps(h.Patch,
+		wrapper.InputType(reflect.TypeOf(PatchInput{}))))
+	r.DELETE("/apisix/admin/proto/:ids", wgin.Wraps(h.BatchDelete,
+		wrapper.InputType(reflect.TypeOf(BatchDeleteInput{}))))
+}
+
+var plugins = []string{"grpc-transcode"}
+
+type GetInput struct {
+	ID string `auto_read:"id,path" validate:"required"`
+}
+
+func (h *Handler) Get(c droplet.Context) (interface{}, error) {
+	input := c.Input().(*GetInput)
+
+	r, err := h.protoStore.Get(c.Context(), input.ID)
+	if err != nil {
+		return handler.SpecCodeResponse(err), err
+	}
+
+	proto := r.(*entity.Proto)
+
+	return proto, nil
+}
+
+type ListInput struct {
+	Desc string `auto_read:"desc,query"`
+	store.Pagination
+}
+
+func (h *Handler) List(c droplet.Context) (interface{}, error) {
+	input := c.Input().(*ListInput)
+
+	ret, err := h.protoStore.List(c.Context(), store.ListInput{
+		Predicate: func(obj interface{}) bool {
+			if input.Desc != "" {
+				return strings.Contains(obj.(*entity.Proto).Desc, input.Desc)
+			}
+			return true
+		},
+		Format: func(obj interface{}) interface{} {
+			upstream := obj.(*entity.Proto)

Review comment:
       typo? And I think we don't need `Format` here.

##########
File path: api/internal/handler/proto/proto.go
##########
@@ -0,0 +1,291 @@
+/*
+ * Licensed to the Apache Software Foundation (ASF) under one or more
+ * contributor license agreements.  See the NOTICE file distributed with
+ * this work for additional information regarding copyright ownership.
+ * The ASF licenses this file to You 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 proto
+
+import (
+	"context"
+	"encoding/json"
+	"errors"
+	"fmt"
+	"net/http"
+	"reflect"
+	"strings"
+
+	"github.com/gin-gonic/gin"
+	"github.com/shiningrush/droplet"
+	"github.com/shiningrush/droplet/data"
+	"github.com/shiningrush/droplet/wrapper"
+	wgin "github.com/shiningrush/droplet/wrapper/gin"
+
+	"github.com/apisix/manager-api/internal/core/entity"
+	"github.com/apisix/manager-api/internal/core/store"
+	"github.com/apisix/manager-api/internal/handler"
+	"github.com/apisix/manager-api/internal/utils"
+)
+
+type Handler struct {
+	routeStore        store.Interface
+	serviceStore      store.Interface
+	consumerStore     store.Interface
+	pluginConfigStore store.Interface
+	globalRuleStore   store.Interface
+	protoStore        store.Interface
+}
+
+func NewHandler() (handler.RouteRegister, error) {
+	return &Handler{
+		routeStore:        store.GetStore(store.HubKeyRoute),
+		serviceStore:      store.GetStore(store.HubKeyService),
+		consumerStore:     store.GetStore(store.HubKeyConsumer),
+		pluginConfigStore: store.GetStore(store.HubKeyPluginConfig),
+		globalRuleStore:   store.GetStore(store.HubKeyGlobalRule),
+		protoStore:        store.GetStore(store.HubKeyProto),
+	}, nil
+}
+
+func (h *Handler) ApplyRoute(r *gin.Engine) {
+	r.GET("/apisix/admin/proto/:id", wgin.Wraps(h.Get,
+		wrapper.InputType(reflect.TypeOf(GetInput{}))))
+	r.GET("/apisix/admin/proto", wgin.Wraps(h.List,
+		wrapper.InputType(reflect.TypeOf(ListInput{}))))
+	r.POST("/apisix/admin/proto", wgin.Wraps(h.Create,
+		wrapper.InputType(reflect.TypeOf(entity.Proto{}))))
+	r.PUT("/apisix/admin/proto", wgin.Wraps(h.Update,
+		wrapper.InputType(reflect.TypeOf(UpdateInput{}))))
+	r.PUT("/apisix/admin/proto/:id", wgin.Wraps(h.Update,
+		wrapper.InputType(reflect.TypeOf(UpdateInput{}))))
+	r.PATCH("/apisix/admin/proto/:id", wgin.Wraps(h.Patch,
+		wrapper.InputType(reflect.TypeOf(PatchInput{}))))
+	r.PATCH("/apisix/admin/proto/:id/*path", wgin.Wraps(h.Patch,
+		wrapper.InputType(reflect.TypeOf(PatchInput{}))))
+	r.DELETE("/apisix/admin/proto/:ids", wgin.Wraps(h.BatchDelete,
+		wrapper.InputType(reflect.TypeOf(BatchDeleteInput{}))))
+}
+
+var plugins = []string{"grpc-transcode"}
+
+type GetInput struct {
+	ID string `auto_read:"id,path" validate:"required"`
+}
+
+func (h *Handler) Get(c droplet.Context) (interface{}, error) {
+	input := c.Input().(*GetInput)
+
+	r, err := h.protoStore.Get(c.Context(), input.ID)
+	if err != nil {
+		return handler.SpecCodeResponse(err), err
+	}
+
+	proto := r.(*entity.Proto)

Review comment:
       we could remove this line and return r.

##########
File path: api/internal/handler/proto/proto.go
##########
@@ -0,0 +1,291 @@
+/*
+ * Licensed to the Apache Software Foundation (ASF) under one or more
+ * contributor license agreements.  See the NOTICE file distributed with
+ * this work for additional information regarding copyright ownership.
+ * The ASF licenses this file to You 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 proto
+
+import (
+	"context"
+	"encoding/json"
+	"errors"
+	"fmt"
+	"net/http"
+	"reflect"
+	"strings"
+
+	"github.com/gin-gonic/gin"
+	"github.com/shiningrush/droplet"
+	"github.com/shiningrush/droplet/data"
+	"github.com/shiningrush/droplet/wrapper"
+	wgin "github.com/shiningrush/droplet/wrapper/gin"
+
+	"github.com/apisix/manager-api/internal/core/entity"
+	"github.com/apisix/manager-api/internal/core/store"
+	"github.com/apisix/manager-api/internal/handler"
+	"github.com/apisix/manager-api/internal/utils"
+)
+
+type Handler struct {
+	routeStore        store.Interface
+	serviceStore      store.Interface
+	consumerStore     store.Interface
+	pluginConfigStore store.Interface
+	globalRuleStore   store.Interface
+	protoStore        store.Interface
+}
+
+func NewHandler() (handler.RouteRegister, error) {
+	return &Handler{
+		routeStore:        store.GetStore(store.HubKeyRoute),
+		serviceStore:      store.GetStore(store.HubKeyService),
+		consumerStore:     store.GetStore(store.HubKeyConsumer),
+		pluginConfigStore: store.GetStore(store.HubKeyPluginConfig),
+		globalRuleStore:   store.GetStore(store.HubKeyGlobalRule),
+		protoStore:        store.GetStore(store.HubKeyProto),
+	}, nil
+}
+
+func (h *Handler) ApplyRoute(r *gin.Engine) {
+	r.GET("/apisix/admin/proto/:id", wgin.Wraps(h.Get,
+		wrapper.InputType(reflect.TypeOf(GetInput{}))))
+	r.GET("/apisix/admin/proto", wgin.Wraps(h.List,
+		wrapper.InputType(reflect.TypeOf(ListInput{}))))
+	r.POST("/apisix/admin/proto", wgin.Wraps(h.Create,
+		wrapper.InputType(reflect.TypeOf(entity.Proto{}))))
+	r.PUT("/apisix/admin/proto", wgin.Wraps(h.Update,
+		wrapper.InputType(reflect.TypeOf(UpdateInput{}))))
+	r.PUT("/apisix/admin/proto/:id", wgin.Wraps(h.Update,
+		wrapper.InputType(reflect.TypeOf(UpdateInput{}))))
+	r.PATCH("/apisix/admin/proto/:id", wgin.Wraps(h.Patch,
+		wrapper.InputType(reflect.TypeOf(PatchInput{}))))
+	r.PATCH("/apisix/admin/proto/:id/*path", wgin.Wraps(h.Patch,
+		wrapper.InputType(reflect.TypeOf(PatchInput{}))))
+	r.DELETE("/apisix/admin/proto/:ids", wgin.Wraps(h.BatchDelete,
+		wrapper.InputType(reflect.TypeOf(BatchDeleteInput{}))))
+}
+
+var plugins = []string{"grpc-transcode"}
+
+type GetInput struct {
+	ID string `auto_read:"id,path" validate:"required"`
+}
+
+func (h *Handler) Get(c droplet.Context) (interface{}, error) {
+	input := c.Input().(*GetInput)
+
+	r, err := h.protoStore.Get(c.Context(), input.ID)
+	if err != nil {
+		return handler.SpecCodeResponse(err), err
+	}
+
+	proto := r.(*entity.Proto)
+
+	return proto, nil
+}
+
+type ListInput struct {
+	Desc string `auto_read:"desc,query"`
+	store.Pagination
+}
+
+func (h *Handler) List(c droplet.Context) (interface{}, error) {
+	input := c.Input().(*ListInput)
+
+	ret, err := h.protoStore.List(c.Context(), store.ListInput{
+		Predicate: func(obj interface{}) bool {
+			if input.Desc != "" {
+				return strings.Contains(obj.(*entity.Proto).Desc, input.Desc)
+			}
+			return true
+		},
+		Format: func(obj interface{}) interface{} {
+			upstream := obj.(*entity.Proto)
+			return upstream
+		},
+		PageSize:   input.PageSize,
+		PageNumber: input.PageNumber,
+	})
+	if err != nil {
+		return nil, err
+	}
+
+	return ret, nil
+}
+
+func (h *Handler) Create(c droplet.Context) (interface{}, error) {
+	input := c.Input().(*entity.Proto)
+
+	// check proto id exist
+	if input.ID != nil {
+		protoID := utils.InterfaceToString(input.ID)
+		ret, err := h.protoStore.Get(c.Context(), protoID)
+		if err != nil && err != data.ErrNotFound {
+			return handler.SpecCodeResponse(err), err
+		}
+		if ret != nil {
+			return &data.SpecCodeResponse{StatusCode: http.StatusBadRequest}, errors.New("proto id exists")
+		}
+	}
+
+	// create
+	ret, err := h.protoStore.Create(c.Context(), input)
+	if err != nil {
+		return handler.SpecCodeResponse(err), err
+	}
+
+	return ret, nil
+}
+
+type UpdateInput struct {
+	ID string `auto_read:"id,path"`
+	entity.Proto
+}
+
+func (h *Handler) Update(c droplet.Context) (interface{}, error) {
+	input := c.Input().(*UpdateInput)
+
+	// check if ID in body is equal ID in path
+	if err := handler.IDCompare(input.ID, input.Proto.ID); err != nil {
+		return &data.SpecCodeResponse{StatusCode: http.StatusBadRequest}, err
+	}
+
+	if input.ID != "" {
+		input.Proto.ID = input.ID
+	}
+
+	// check proto id exist
+	protoID := utils.InterfaceToString(input.Proto.ID)
+	ret, err := h.protoStore.Get(c.Context(), protoID)
+	if ret == nil {
+		return &data.SpecCodeResponse{StatusCode: http.StatusBadRequest}, errors.New("proto id not exists")
+	}
+
+	res, err := h.protoStore.Update(c.Context(), &input.Proto, true)
+	if err != nil {
+		return handler.SpecCodeResponse(err), err
+	}
+
+	return res, nil
+}
+
+type PatchInput struct {
+	ID      string `auto_read:"id,path"`
+	SubPath string `auto_read:"path,path"`
+	Body    []byte `auto_read:"@body"`
+}
+
+func (h *Handler) Patch(c droplet.Context) (interface{}, error) {
+	input := c.Input().(*PatchInput)
+	reqBody := input.Body
+	id := input.ID
+	subPath := input.SubPath
+
+	stored, err := h.protoStore.Get(c.Context(), id)
+	if err != nil {
+		return handler.SpecCodeResponse(err), err
+	}
+
+	res, err := utils.MergePatch(stored, subPath, reqBody)
+
+	if err != nil {
+		return handler.SpecCodeResponse(err), err
+	}
+
+	var proto entity.Proto
+	if err := json.Unmarshal(res, &proto); err != nil {
+		return handler.SpecCodeResponse(err), err
+	}
+
+	ret, err := h.protoStore.Update(c.Context(), &proto, false)
+	if err != nil {
+		return handler.SpecCodeResponse(err), err
+	}
+
+	return ret, nil
+}
+
+type BatchDeleteInput struct {
+	IDs string `auto_read:"ids,path"`
+}
+
+func (h *Handler) BatchDelete(c droplet.Context) (interface{}, error) {
+	input := c.Input().(*BatchDeleteInput)
+
+	ids := strings.Split(input.IDs, ",")
+
+	for _, id := range ids {
+		// check route plugin dependencies
+		if err := h.checkProtoUsed(c.Context(), h.routeStore, id); err != nil {
+			return handler.SpecCodeResponse(err), err
+		}
+
+		// check consumer plugin dependencies
+		if err := h.checkProtoUsed(c.Context(), h.consumerStore, id); err != nil {
+			return handler.SpecCodeResponse(err), err
+		}
+
+		// check service plugin dependencies
+		if err := h.checkProtoUsed(c.Context(), h.serviceStore, id); err != nil {
+			return handler.SpecCodeResponse(err), err
+		}
+
+		// check plugin template dependencies
+		if err := h.checkProtoUsed(c.Context(), h.pluginConfigStore, id); err != nil {
+			return handler.SpecCodeResponse(err), err
+		}
+
+		// check global plugin dependencies
+		if err := h.checkProtoUsed(c.Context(), h.globalRuleStore, id); err != nil {
+			return handler.SpecCodeResponse(err), err
+		}
+	}
+
+	if err := h.protoStore.BatchDelete(c.Context(), ids); err != nil {
+		return handler.SpecCodeResponse(err), err
+	}
+
+	return nil, nil
+}
+
+func (h *Handler) checkProtoUsed(ctx context.Context, storeInterface store.Interface, key string) error {
+	ret, err := storeInterface.List(ctx, store.ListInput{
+		Predicate: func(obj interface{}) bool {
+			record := obj.(entity.GetPlugins)
+			for _, plugin := range plugins {
+				if _, ok := record.GetPlugins()[plugin]; ok {
+					configs := record.GetPlugins()[plugin].(map[string]interface{})
+					protoId := utils.InterfaceToString(configs["proto_id"])
+					if !configs["disable"].(bool) && protoId == key {

Review comment:
       I think we don't need to check `disable`, use may enable it again.

##########
File path: api/test/e2enew/proto/proto_test.go
##########
@@ -0,0 +1,247 @@
+/*
+ * Licensed to the Apache Software Foundation (ASF) under one or more
+ * contributor license agreements.  See the NOTICE file distributed with
+ * this work for additional information regarding copyright ownership.
+ * The ASF licenses this file to You 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 proto
+
+import (
+	"encoding/json"
+	"net/http"
+
+	"github.com/onsi/ginkgo"
+	"github.com/onsi/gomega"
+
+	"github.com/apisix/manager-api/test/e2enew/base"
+)
+
+var correctProtobuf = `syntax = "proto3";
+    package helloworld;
+    service Greeter {
+        rpc SayHello (HelloRequest) returns (HelloReply) {}
+    }
+    message HelloRequest {
+        string name = 1;
+    }
+    message HelloReply {
+        string message = 1;
+    }`
+
+var _ = ginkgo.Describe("Proto", func() {
+	ginkgo.It("create proto success", func() {
+		createProtoBody := make(map[string]interface{})
+		createProtoBody["id"] = 1
+		createProtoBody["desc"] = "test_proto1"
+		createProtoBody["content"] = correctProtobuf
+
+		_createProtoBody, err := json.Marshal(createProtoBody)
+		gomega.Expect(err).To(gomega.BeNil())
+
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodPost,
+			Path:         "/apisix/admin/proto",
+			Body:         string(_createProtoBody),
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectStatus: http.StatusOK,
+		})
+	})
+	ginkgo.It("create proto failed, id existed", func() {
+		createProtoBody := make(map[string]interface{})
+		createProtoBody["id"] = 1
+		createProtoBody["desc"] = "test_proto1"
+		createProtoBody["content"] = correctProtobuf
+
+		_createProtoBody, err := json.Marshal(createProtoBody)
+		gomega.Expect(err).To(gomega.BeNil())
+
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodPost,
+			Path:         "/apisix/admin/proto",
+			Body:         string(_createProtoBody),
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectBody:   "proto id exists",
+			ExpectStatus: http.StatusBadRequest,
+		})
+	})
+	ginkgo.It("update proto success", func() {
+		updateProtoBody := make(map[string]interface{})
+		updateProtoBody["id"] = 1
+		updateProtoBody["desc"] = "test_proto1_modify"
+		updateProtoBody["content"] = correctProtobuf
+
+		_updateProtoBody, err := json.Marshal(updateProtoBody)
+		gomega.Expect(err).To(gomega.BeNil())
+
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodPut,
+			Path:         "/apisix/admin/proto",
+			Body:         string(_updateProtoBody),
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectBody:   "test_proto1_modify",
+			ExpectStatus: http.StatusOK,
+		})
+	})
+	ginkgo.It("update proto failed, id not existed", func() {
+		updateProtoBody := make(map[string]interface{})
+		updateProtoBody["id"] = 6789
+		updateProtoBody["desc"] = "test_proto1_modify"
+		updateProtoBody["content"] = correctProtobuf
+
+		_updateProtoBody, err := json.Marshal(updateProtoBody)
+		gomega.Expect(err).To(gomega.BeNil())
+
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodPut,
+			Path:         "/apisix/admin/proto",
+			Body:         string(_updateProtoBody),
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectBody:   "proto id not exists",
+			ExpectStatus: http.StatusBadRequest,
+		})
+	})
+	ginkgo.It("list proto", func() {
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodGet,
+			Path:         "/apisix/admin/proto",
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectBody:   "test_proto1",
+			ExpectStatus: http.StatusOK,
+		})
+	})
+	ginkgo.It("get proto", func() {
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodGet,
+			Path:         "/apisix/admin/proto/1",
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectBody:   "test_proto1_modify",
+			ExpectStatus: http.StatusOK,
+		})
+	})
+	ginkgo.It("delete not existed proto", func() {
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodDelete,
+			Path:         "/apisix/admin/proto/not-exist",
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectStatus: http.StatusNotFound,
+		})
+	})
+	ginkgo.It("delete proto", func() {
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodDelete,
+			Path:         "/apisix/admin/proto/1",
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectStatus: http.StatusOK,
+		})
+	})
+})
+
+var _ = ginkgo.Describe("Proto with grpc-transcode plugin", func() {
+	ginkgo.It("create proto success", func() {
+		createProtoBody := make(map[string]interface{})
+		createProtoBody["id"] = 1
+		createProtoBody["desc"] = "test_proto1"
+		createProtoBody["content"] = correctProtobuf
+
+		_createProtoBody, err := json.Marshal(createProtoBody)
+		gomega.Expect(err).To(gomega.BeNil())
+
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodPost,
+			Path:         "/apisix/admin/proto",
+			Body:         string(_createProtoBody),
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectStatus: http.StatusOK,
+		})
+	})
+	ginkgo.It("create route with grpc-transcode", func() {
+		createRouteBody := make(map[string]interface{})
+		createRouteBody["id"] = 1
+		createRouteBody["name"] = "test_route"
+		createRouteBody["uri"] = "/*"
+		createRouteBody["methods"] = []string{"GET", "POST"}
+		createRouteBody["upstream"] = map[string]interface{}{
+			"nodes": []map[string]interface{}{
+				{
+					"host":   "1.1.1.1",
+					"port":   1,
+					"weight": 1,
+				},
+			},
+			"timeout": map[string]interface{}{
+				"connect": 6, "send": 6, "read": 6,
+			},
+			"type":      "roundrobin",
+			"scheme":    "http",
+			"pass_host": "pass",
+		}
+		createRouteBody["plugins"] = map[string]interface{}{
+			"grpc-transcode": map[string]interface{}{
+				"disable":  false,
+				"method":   "SayHello",
+				"proto_id": "1",
+				"service":  "helloworld.Greeter",
+			},
+		}
+		createRouteBody["status"] = 1
+
+		_createRouteBody, err := json.Marshal(createRouteBody)
+		gomega.Expect(err).To(gomega.BeNil())
+
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodPost,
+			Path:         "/apisix/admin/routes",
+			Body:         string(_createRouteBody),
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectStatus: http.StatusOK,
+		})
+	})
+	ginkgo.It("delete route used proto", func() {
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodDelete,
+			Path:         "/apisix/admin/proto/1",
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectBody:   "proto used check invalid: route",
+			ExpectStatus: http.StatusBadRequest,
+		})
+	})
+	ginkgo.It("delete conflict route", func() {
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodDelete,
+			Path:         "/apisix/admin/routes/1",
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectStatus: http.StatusOK,
+		})
+	})
+	ginkgo.It("delete proto again", func() {
+		base.RunTestCase(base.HttpTestCase{
+			Object:       base.ManagerApiExpect(),
+			Method:       http.MethodDelete,
+			Path:         "/apisix/admin/proto/1",
+			Headers:      map[string]string{"Authorization": base.GetToken()},
+			ExpectStatus: http.StatusOK,
+		})
+	})
+})

Review comment:
       should be better to add a DP side test case
   




-- 
This is an automated message from the Apache Git Service.
To respond to the message, please log on to GitHub and use the
URL above to go to the specific comment.

To unsubscribe, e-mail: notifications-unsubscribe@apisix.apache.org

For queries about this service, please contact Infrastructure at:
users@infra.apache.org